In [350]:
#imported neccessary libraries
import nltk
import ssl


try:
    _create_unverified_https_context = ssl._create_unverified_context
except AttributeError:
    pass
else:
    ssl._create_default_https_context = _create_unverified_https_context

nltk.download('punkt')
nltk.download('stopwords')
nltk.download('words')
nltk.download('wordnet')
nltk.download('omw-1.4')
nltk.download('averaged_perceptron_tagger')
[nltk_data] Downloading package punkt to /root/nltk_data...
[nltk_data]   Package punkt is already up-to-date!
[nltk_data] Downloading package stopwords to /root/nltk_data...
[nltk_data]   Package stopwords is already up-to-date!
[nltk_data] Downloading package words to /root/nltk_data...
[nltk_data]   Package words is already up-to-date!
[nltk_data] Downloading package wordnet to /root/nltk_data...
[nltk_data]   Package wordnet is already up-to-date!
[nltk_data] Downloading package omw-1.4 to /root/nltk_data...
[nltk_data]   Package omw-1.4 is already up-to-date!
[nltk_data] Downloading package averaged_perceptron_tagger to
[nltk_data]     /root/nltk_data...
[nltk_data]   Package averaged_perceptron_tagger is already up-to-
[nltk_data]       date!
Out[350]:
True
In [351]:
#Libraries
import os
import pandas as pd
from nltk import sent_tokenize, word_tokenize, WordNetLemmatizer
from textblob import TextBlob #for spelling correction
from nltk.util import ngrams
from collections import Counter
#import my_ignore_words
from sklearn.feature_extraction.text import CountVectorizer
import re
In [352]:
#for ignore_words
from sklearn.feature_extraction.text import CountVectorizer
In [353]:
df_Goals= pd.read_excel('/content/AY 2020-BBE-ESP Free Response.xlsx', sheet_name='Goals')
In [354]:
df_Goals
Out[354]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments
0 2181 Spring/Summer B ACCT 5COP SR Domestic Third/Final I wanted to get more hands on experience in ta...
1 72 Fall/Winter B ACCT 5COP SR Domestic Third/Final Ever since I began pursuing a career in accoun...
2 74 Fall/Winter B MIS 5COP SR Domestic Third/Final This co-op wasn't as beneficial as my first co...
3 5586 Spring/Summer B FIN 5COP SR Domestic Second I learned how to troubleshoot Amazon's network...
4 2366 Spring/Summer B FIN 5COP SR Domestic Third/Final An aspect of this co-op experience that relate...
... ... ... ... ... ... ... ... ... ...
1378 5562 Spring/Summer B MKTG 5COP JR International First This was my very first experience working at a...
1379 5912 Spring/Summer B FIN 5COP PJ Domestic First I have always cared about making sure there ar...
1380 5572 Spring/Summer B ACCT 5COP JR International First One of my professional goals is to become a CP...
1381 5574 Spring/Summer B FIN 5COP PJ Domestic First Coming into my co-op I wasn't sure what I want...
1382 5579 Spring/Summer B MIS 5COP JR Domestic First I definitely feel like the experience of being...

1383 rows × 9 columns

In [355]:
#to check for empty columns
df_Goals.isnull().sum()
Out[355]:
Responder ID          0
Work Terms            0
College               0
Major                 0
Conc                  0
Class                 0
Citizenship Status    0
Co-op #               0
Goals Comments        4
dtype: int64
In [356]:
df_Goals= df_Goals.dropna()
#check again for results
df_Goals.isnull().sum()
Out[356]:
Responder ID          0
Work Terms            0
College               0
Major                 0
Conc                  0
Class                 0
Citizenship Status    0
Co-op #               0
Goals Comments        0
dtype: int64
In [357]:
# Change values in last column to lowercase
df_Goals['Goals Cleansed'] = df_Goals['Goals Comments'].astype(str).str.lower()
df_Goals
<ipython-input-357-e1e611f5cd46>:2: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals Cleansed'] = df_Goals['Goals Comments'].astype(str).str.lower()
Out[357]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed
0 2181 Spring/Summer B ACCT 5COP SR Domestic Third/Final I wanted to get more hands on experience in ta... i wanted to get more hands on experience in ta...
1 72 Fall/Winter B ACCT 5COP SR Domestic Third/Final Ever since I began pursuing a career in accoun... ever since i began pursuing a career in accoun...
2 74 Fall/Winter B MIS 5COP SR Domestic Third/Final This co-op wasn't as beneficial as my first co... this co-op wasn't as beneficial as my first co...
3 5586 Spring/Summer B FIN 5COP SR Domestic Second I learned how to troubleshoot Amazon's network... i learned how to troubleshoot amazon's network...
4 2366 Spring/Summer B FIN 5COP SR Domestic Third/Final An aspect of this co-op experience that relate... an aspect of this co-op experience that relate...
... ... ... ... ... ... ... ... ... ... ...
1378 5562 Spring/Summer B MKTG 5COP JR International First This was my very first experience working at a... this was my very first experience working at a...
1379 5912 Spring/Summer B FIN 5COP PJ Domestic First I have always cared about making sure there ar... i have always cared about making sure there ar...
1380 5572 Spring/Summer B ACCT 5COP JR International First One of my professional goals is to become a CP... one of my professional goals is to become a cp...
1381 5574 Spring/Summer B FIN 5COP PJ Domestic First Coming into my co-op I wasn't sure what I want... coming into my co-op i wasn't sure what i want...
1382 5579 Spring/Summer B MIS 5COP JR Domestic First I definitely feel like the experience of being... i definitely feel like the experience of being...

1379 rows × 10 columns

In [358]:
#removing contractions

!pip install contractions
Looking in indexes: https://pypi.org/simple, https://us-python.pkg.dev/colab-wheels/public/simple/
Requirement already satisfied: contractions in /usr/local/lib/python3.8/dist-packages (0.1.73)
Requirement already satisfied: textsearch>=0.0.21 in /usr/local/lib/python3.8/dist-packages (from contractions) (0.0.24)
Requirement already satisfied: anyascii in /usr/local/lib/python3.8/dist-packages (from textsearch>=0.0.21->contractions) (0.3.1)
Requirement already satisfied: pyahocorasick in /usr/local/lib/python3.8/dist-packages (from textsearch>=0.0.21->contractions) (1.4.4)
In [359]:
import contractions
In [360]:
contractions_re=re.compile('(%s)' % '|'.join(contractions.contractions_dict.keys()))
In [361]:
contractions.contractions_dict.keys()
Out[361]:
dict_keys(["I'm", "I'm'a", "I'm'o", "I've", "I'll", "I'll've", "I'd", "I'd've", 'Whatcha', "amn't", "ain't", "aren't", "'cause", "can't", "can't've", "could've", "couldn't", "couldn't've", "daren't", "daresn't", "dasn't", "didn't", 'didn’t', "don't", 'don’t', "doesn't", "e'er", "everyone's", 'finna', 'gimme', "gon't", 'gonna', 'gotta', "hadn't", "hadn't've", "hasn't", "haven't", "he've", "he's", "he'll", "he'll've", "he'd", "he'd've", "here's", "how're", "how'd", "how'd'y", "how's", "how'll", "isn't", "it's", "'tis", "'twas", "it'll", "it'll've", "it'd", "it'd've", 'kinda', "let's", 'luv', "ma'am", "may've", "mayn't", "might've", "mightn't", "mightn't've", "must've", "mustn't", "mustn't've", "needn't", "needn't've", "ne'er", "o'", "o'clock", "ol'", "oughtn't", "oughtn't've", "o'er", "shan't", "sha'n't", "shalln't", "shan't've", "she's", "she'll", "she'd", "she'd've", "should've", "shouldn't", "shouldn't've", "so've", "so's", "somebody's", "someone's", "something's", 'sux', "that're", "that's", "that'll", "that'd", "that'd've", "'em", "there're", "there's", "there'll", "there'd", "there'd've", "these're", "they're", "they've", "they'll", "they'll've", "they'd", "they'd've", "this's", "this'll", "this'd", "those're", "to've", 'wanna', "wasn't", "we're", "we've", "we'll", "we'll've", "we'd", "we'd've", "weren't", "what're", "what'd", "what've", "what's", "what'll", "what'll've", "when've", "when's", "where're", "where'd", "where've", "where's", "which's", "who're", "who've", "who's", "who'll", "who'll've", "who'd", "who'd've", "why're", "why'd", "why've", "why's", "will've", "won't", "won't've", "would've", "wouldn't", "wouldn't've", "y'all", "y'all're", "y'all've", "y'all'd", "y'all'd've", "you're", "you've", "you'll've", "you'll", "you'd", "you'd've", 'to cause', 'will cause', 'should cause', 'would cause', 'can cause', 'could cause', 'must cause', 'might cause', 'shall cause', 'may cause', 'jan.', 'feb.', 'mar.', 'apr.', 'jun.', 'jul.', 'aug.', 'sep.', 'oct.', 'nov.', 'dec.', 'I’m', 'I’m’a', 'I’m’o', 'I’ve', 'I’ll', 'I’ll’ve', 'I’d', 'I’d’ve', 'amn’t', 'ain’t', 'aren’t', '’cause', 'can’t', 'can’t’ve', 'could’ve', 'couldn’t', 'couldn’t’ve', 'daren’t', 'daresn’t', 'dasn’t', 'doesn’t', 'e’er', 'everyone’s', 'gon’t', 'hadn’t', 'hadn’t’ve', 'hasn’t', 'haven’t', 'he’ve', 'he’s', 'he’ll', 'he’ll’ve', 'he’d', 'he’d’ve', 'here’s', 'how’re', 'how’d', 'how’d’y', 'how’s', 'how’ll', 'isn’t', 'it’s', '’tis', '’twas', 'it’ll', 'it’ll’ve', 'it’d', 'it’d’ve', 'let’s', 'ma’am', 'may’ve', 'mayn’t', 'might’ve', 'mightn’t', 'mightn’t’ve', 'must’ve', 'mustn’t', 'mustn’t’ve', 'needn’t', 'needn’t’ve', 'ne’er', 'o’', 'o’clock', 'ol’', 'oughtn’t', 'oughtn’t’ve', 'o’er', 'shan’t', 'sha’n’t', 'shalln’t', 'shan’t’ve', 'she’s', 'she’ll', 'she’d', 'she’d’ve', 'should’ve', 'shouldn’t', 'shouldn’t’ve', 'so’ve', 'so’s', 'somebody’s', 'someone’s', 'something’s', 'that’re', 'that’s', 'that’ll', 'that’d', 'that’d’ve', '’em', 'there’re', 'there’s', 'there’ll', 'there’d', 'there’d’ve', 'these’re', 'they’re', 'they’ve', 'they’ll', 'they’ll’ve', 'they’d', 'they’d’ve', 'this’s', 'this’ll', 'this’d', 'those’re', 'to’ve', 'wasn’t', 'we’re', 'we’ve', 'we’ll', 'we’ll’ve', 'we’d', 'we’d’ve', 'weren’t', 'what’re', 'what’d', 'what’ve', 'what’s', 'what’ll', 'what’ll’ve', 'when’ve', 'when’s', 'where’re', 'where’d', 'where’ve', 'where’s', 'which’s', 'who’re', 'who’ve', 'who’s', 'who’ll', 'who’ll’ve', 'who’d', 'who’d’ve', 'why’re', 'why’d', 'why’ve', 'why’s', 'will’ve', 'won’t', 'won’t’ve', 'would’ve', 'wouldn’t', 'wouldn’t’ve', 'y’all', 'y’all’re', 'y’all’ve', 'y’all’d', 'y’all’d’ve', 'you’re', 'you’ve', 'you’ll’ve', 'you’ll', 'you’d', 'you’d’ve'])
In [362]:
Des = contractions.contractions_dict
def update_text(text):
    for key in Des:
        text = re.sub(key, Des[key], text)
    return text
In [363]:
def expand_contractions(text,contractions_dict=contractions.contractions_dict):
    def replace(match):
        return contractions_dict[match.group(0)]
    return contractions_re.sub(replace, text)
In [364]:
df_Goals['Goals Cleansed']= df_Goals['Goals Cleansed'].apply(lambda x: update_text(x))
df_Goals
<ipython-input-364-f103cce19a8f>:1: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals Cleansed']= df_Goals['Goals Cleansed'].apply(lambda x: update_text(x))
Out[364]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed
0 2181 Spring/Summer B ACCT 5COP SR Domestic Third/Final I wanted to get more hands on experience in ta... i wanted to get more hands on experience in ta...
1 72 Fall/Winter B ACCT 5COP SR Domestic Third/Final Ever since I began pursuing a career in accoun... ever since i began pursuing a career in accoun...
2 74 Fall/Winter B MIS 5COP SR Domestic Third/Final This co-op wasn't as beneficial as my first co... this co-op was not as beneficial as my first c...
3 5586 Spring/Summer B FIN 5COP SR Domestic Second I learned how to troubleshoot Amazon's network... i learned how to troubleshoot amazon's network...
4 2366 Spring/Summer B FIN 5COP SR Domestic Third/Final An aspect of this co-op experience that relate... an aspect of this co-op experience that relate...
... ... ... ... ... ... ... ... ... ... ...
1378 5562 Spring/Summer B MKTG 5COP JR International First This was my very first experience working at a... this was my very first experience working at a...
1379 5912 Spring/Summer B FIN 5COP PJ Domestic First I have always cared about making sure there ar... i have always cared about making sure there ar...
1380 5572 Spring/Summer B ACCT 5COP JR International First One of my professional goals is to become a CP... one of my professional goals is to become a cp...
1381 5574 Spring/Summer B FIN 5COP PJ Domestic First Coming into my co-op I wasn't sure what I want... coming into my co-op i was not sure what i wan...
1382 5579 Spring/Summer B MIS 5COP JR Domestic First I definitely feel like the experience of being... i definitely feel like the experience of being...

1379 rows × 10 columns

In [365]:
# Change values in last column to lowercase
df_Goals['Goals Comments'] = df_Goals['Goals Comments'].astype(str).str.lower()
df_Goals
<ipython-input-365-46bb186595e5>:2: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals Comments'] = df_Goals['Goals Comments'].astype(str).str.lower()
Out[365]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed
0 2181 Spring/Summer B ACCT 5COP SR Domestic Third/Final i wanted to get more hands on experience in ta... i wanted to get more hands on experience in ta...
1 72 Fall/Winter B ACCT 5COP SR Domestic Third/Final ever since i began pursuing a career in accoun... ever since i began pursuing a career in accoun...
2 74 Fall/Winter B MIS 5COP SR Domestic Third/Final this co-op wasn't as beneficial as my first co... this co-op was not as beneficial as my first c...
3 5586 Spring/Summer B FIN 5COP SR Domestic Second i learned how to troubleshoot amazon's network... i learned how to troubleshoot amazon's network...
4 2366 Spring/Summer B FIN 5COP SR Domestic Third/Final an aspect of this co-op experience that relate... an aspect of this co-op experience that relate...
... ... ... ... ... ... ... ... ... ... ...
1378 5562 Spring/Summer B MKTG 5COP JR International First this was my very first experience working at a... this was my very first experience working at a...
1379 5912 Spring/Summer B FIN 5COP PJ Domestic First i have always cared about making sure there ar... i have always cared about making sure there ar...
1380 5572 Spring/Summer B ACCT 5COP JR International First one of my professional goals is to become a cp... one of my professional goals is to become a cp...
1381 5574 Spring/Summer B FIN 5COP PJ Domestic First coming into my co-op i wasn't sure what i want... coming into my co-op i was not sure what i wan...
1382 5579 Spring/Summer B MIS 5COP JR Domestic First i definitely feel like the experience of being... i definitely feel like the experience of being...

1379 rows × 10 columns

In [366]:
#removing other special characters
df_Goals['Goals Cleansed']=df_Goals['Goals Cleansed'].apply(lambda x: re.sub('[^A-Za-z0-9]+', ' ', str(x)))
df_Goals['Goals Cleansed']
<ipython-input-366-ae030c3d98e0>:2: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals Cleansed']=df_Goals['Goals Cleansed'].apply(lambda x: re.sub('[^A-Za-z0-9]+', ' ', str(x)))
Out[366]:
0       i wanted to get more hands on experience in ta...
1       ever since i began pursuing a career in accoun...
2       this co op was not as beneficial as my first c...
3       i learned how to troubleshoot amazon s network...
4       an aspect of this co op experience that relate...
                              ...                        
1378    this was my very first experience working at a...
1379    i have always cared about making sure there ar...
1380    one of my professional goals is to become a cp...
1381    coming into my co op i was not sure what i wan...
1382    i definitely feel like the experience of being...
Name: Goals Cleansed, Length: 1379, dtype: object
In [367]:
#removing all digits from the data
df_Goals['Goals Cleansed']=df_Goals['Goals Cleansed'].apply(lambda x: re.sub('\w*\d\w*','', str(x)))
df_Goals
<ipython-input-367-34faa97fdc41>:2: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals Cleansed']=df_Goals['Goals Cleansed'].apply(lambda x: re.sub('\w*\d\w*','', str(x)))
Out[367]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed
0 2181 Spring/Summer B ACCT 5COP SR Domestic Third/Final i wanted to get more hands on experience in ta... i wanted to get more hands on experience in ta...
1 72 Fall/Winter B ACCT 5COP SR Domestic Third/Final ever since i began pursuing a career in accoun... ever since i began pursuing a career in accoun...
2 74 Fall/Winter B MIS 5COP SR Domestic Third/Final this co-op wasn't as beneficial as my first co... this co op was not as beneficial as my first c...
3 5586 Spring/Summer B FIN 5COP SR Domestic Second i learned how to troubleshoot amazon's network... i learned how to troubleshoot amazon s network...
4 2366 Spring/Summer B FIN 5COP SR Domestic Third/Final an aspect of this co-op experience that relate... an aspect of this co op experience that relate...
... ... ... ... ... ... ... ... ... ... ...
1378 5562 Spring/Summer B MKTG 5COP JR International First this was my very first experience working at a... this was my very first experience working at a...
1379 5912 Spring/Summer B FIN 5COP PJ Domestic First i have always cared about making sure there ar... i have always cared about making sure there ar...
1380 5572 Spring/Summer B ACCT 5COP JR International First one of my professional goals is to become a cp... one of my professional goals is to become a cp...
1381 5574 Spring/Summer B FIN 5COP PJ Domestic First coming into my co-op i wasn't sure what i want... coming into my co op i was not sure what i wan...
1382 5579 Spring/Summer B MIS 5COP JR Domestic First i definitely feel like the experience of being... i definitely feel like the experience of being...

1379 rows × 10 columns

In [368]:
#remove punctuation marks
import string
for character in string.punctuation:
    df_Goals['Goals Cleansed'] = df_Goals['Goals Cleansed'].replace(character, '')
df_Goals
<ipython-input-368-afce3e747765>:4: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals Cleansed'] = df_Goals['Goals Cleansed'].replace(character, '')
Out[368]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed
0 2181 Spring/Summer B ACCT 5COP SR Domestic Third/Final i wanted to get more hands on experience in ta... i wanted to get more hands on experience in ta...
1 72 Fall/Winter B ACCT 5COP SR Domestic Third/Final ever since i began pursuing a career in accoun... ever since i began pursuing a career in accoun...
2 74 Fall/Winter B MIS 5COP SR Domestic Third/Final this co-op wasn't as beneficial as my first co... this co op was not as beneficial as my first c...
3 5586 Spring/Summer B FIN 5COP SR Domestic Second i learned how to troubleshoot amazon's network... i learned how to troubleshoot amazon s network...
4 2366 Spring/Summer B FIN 5COP SR Domestic Third/Final an aspect of this co-op experience that relate... an aspect of this co op experience that relate...
... ... ... ... ... ... ... ... ... ... ...
1378 5562 Spring/Summer B MKTG 5COP JR International First this was my very first experience working at a... this was my very first experience working at a...
1379 5912 Spring/Summer B FIN 5COP PJ Domestic First i have always cared about making sure there ar... i have always cared about making sure there ar...
1380 5572 Spring/Summer B ACCT 5COP JR International First one of my professional goals is to become a cp... one of my professional goals is to become a cp...
1381 5574 Spring/Summer B FIN 5COP PJ Domestic First coming into my co-op i wasn't sure what i want... coming into my co op i was not sure what i wan...
1382 5579 Spring/Summer B MIS 5COP JR Domestic First i definitely feel like the experience of being... i definitely feel like the experience of being...

1379 rows × 10 columns

In [369]:
import nltk
nltk.download('punkt')
#Generate token based on white space
df_Goals['Goals Cleansed']= df_Goals['Goals Cleansed'].apply(word_tokenize)
df_Goals
[nltk_data] Downloading package punkt to /root/nltk_data...
[nltk_data]   Package punkt is already up-to-date!
<ipython-input-369-49d9f4da0543>:4: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals Cleansed']= df_Goals['Goals Cleansed'].apply(word_tokenize)
Out[369]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed
0 2181 Spring/Summer B ACCT 5COP SR Domestic Third/Final i wanted to get more hands on experience in ta... [i, wanted, to, get, more, hands, on, experien...
1 72 Fall/Winter B ACCT 5COP SR Domestic Third/Final ever since i began pursuing a career in accoun... [ever, since, i, began, pursuing, a, career, i...
2 74 Fall/Winter B MIS 5COP SR Domestic Third/Final this co-op wasn't as beneficial as my first co... [this, co, op, was, not, as, beneficial, as, m...
3 5586 Spring/Summer B FIN 5COP SR Domestic Second i learned how to troubleshoot amazon's network... [i, learned, how, to, troubleshoot, amazon, s,...
4 2366 Spring/Summer B FIN 5COP SR Domestic Third/Final an aspect of this co-op experience that relate... [an, aspect, of, this, co, op, experience, tha...
... ... ... ... ... ... ... ... ... ... ...
1378 5562 Spring/Summer B MKTG 5COP JR International First this was my very first experience working at a... [this, was, my, very, first, experience, worki...
1379 5912 Spring/Summer B FIN 5COP PJ Domestic First i have always cared about making sure there ar... [i, have, always, cared, about, making, sure, ...
1380 5572 Spring/Summer B ACCT 5COP JR International First one of my professional goals is to become a cp... [one, of, my, professional, goals, is, to, bec...
1381 5574 Spring/Summer B FIN 5COP PJ Domestic First coming into my co-op i wasn't sure what i want... [coming, into, my, co, op, i, was, not, sure, ...
1382 5579 Spring/Summer B MIS 5COP JR Domestic First i definitely feel like the experience of being... [i, definitely, feel, like, the, experience, o...

1379 rows × 10 columns

In [370]:
#remove stopwords
import nltk
nltk.download('stopwords')
from nltk.corpus import stopwords
stopwords = nltk.corpus.stopwords.words("english")
print(stopwords)
['i', 'me', 'my', 'myself', 'we', 'our', 'ours', 'ourselves', 'you', "you're", "you've", "you'll", "you'd", 'your', 'yours', 'yourself', 'yourselves', 'he', 'him', 'his', 'himself', 'she', "she's", 'her', 'hers', 'herself', 'it', "it's", 'its', 'itself', 'they', 'them', 'their', 'theirs', 'themselves', 'what', 'which', 'who', 'whom', 'this', 'that', "that'll", 'these', 'those', 'am', 'is', 'are', 'was', 'were', 'be', 'been', 'being', 'have', 'has', 'had', 'having', 'do', 'does', 'did', 'doing', 'a', 'an', 'the', 'and', 'but', 'if', 'or', 'because', 'as', 'until', 'while', 'of', 'at', 'by', 'for', 'with', 'about', 'against', 'between', 'into', 'through', 'during', 'before', 'after', 'above', 'below', 'to', 'from', 'up', 'down', 'in', 'out', 'on', 'off', 'over', 'under', 'again', 'further', 'then', 'once', 'here', 'there', 'when', 'where', 'why', 'how', 'all', 'any', 'both', 'each', 'few', 'more', 'most', 'other', 'some', 'such', 'no', 'nor', 'not', 'only', 'own', 'same', 'so', 'than', 'too', 'very', 's', 't', 'can', 'will', 'just', 'don', "don't", 'should', "should've", 'now', 'd', 'll', 'm', 'o', 're', 've', 'y', 'ain', 'aren', "aren't", 'couldn', "couldn't", 'didn', "didn't", 'doesn', "doesn't", 'hadn', "hadn't", 'hasn', "hasn't", 'haven', "haven't", 'isn', "isn't", 'ma', 'mightn', "mightn't", 'mustn', "mustn't", 'needn', "needn't", 'shan', "shan't", 'shouldn', "shouldn't", 'wasn', "wasn't", 'weren', "weren't", 'won', "won't", 'wouldn', "wouldn't"]
[nltk_data] Downloading package stopwords to /root/nltk_data...
[nltk_data]   Package stopwords is already up-to-date!
In [371]:
# Generate own list of words to be ignored
my_ignore_words_Goals = ['opened','ask','long','skills','academic','made','realize','also','gave','one','relates','comfort','one','full','would' ,'role', 'give', 'coop', 'drexel', 'through', 'n t', 'enjoy', 'may', 'felt','always','order', 'put','day','various', 'try', 'graduate','others','definitely', 'path', 'mostly','well','task','good','although','allow','still','organization','even','go','personal','goal','able','learn','part','person','thing','consider','job','knowledge','data','first','major','hope','think','coop','find','another','manager','client','look','grow','complete','want','work','area','graduation','choose','best','goal','mine','whether','everything','although','continue','job','new','aspect','co','overall','hope','gain','believe','life','interest','idea','great','information','withinend','operation','specific','side','program','value','sport','understand','say','one op','tax','bring','worker','lead','much','never','relate','sucessful','op','come','research','way','skill','help','student','especially','within','learnlot','present','present','work','bas','level','multiple','relate','month','end','position','possible','run','nand','take','place','year','oppurtunity','connection','job','love','product','start','come','within','way','taugustt','feel','insight','study','large','insight','set','gain','speak','aspect','use','apply','meet','make','really','career','though','think','gain','pursue','thing','last','different','good','world','see','firm','environment','confidence','change','internship','something','allow','start','employee','last','sport','whole','big','relate','go','important','become','find','people','leave','marchet','think','though','experience relate','valuable','prepare','aspect','course','sale','push','truly','field','job','expose','school','see','throughout','task','back','ability','see','account','everyone','understand','truly','leave','big','relate','use','look','team','complete','happy','support','many','different','make','sure','achieve','industry','lot','amount','throughout','group','allow','account','position','happy','next','manage','hard','high','enjoy','one goal','expose','two','many kind','bos','set','exposure','good','show','helpful','class','enjoy','department','focus','previous','know','come','enjoy','class','member','give','understand','call','event','job','glad','aspect','go','plan','complete','along','provide','build','show','real','comfortable','real','come','class','create','see','take','start','experience','help','workplace','ops','would,like','interview','task','complete','big','prepare','chance','extremely','remote','set']
my_ignore_words_Goals
Out[371]:
['opened',
 'ask',
 'long',
 'skills',
 'academic',
 'made',
 'realize',
 'also',
 'gave',
 'one',
 'relates',
 'comfort',
 'one',
 'full',
 'would',
 'role',
 'give',
 'coop',
 'drexel',
 'through',
 'n t',
 'enjoy',
 'may',
 'felt',
 'always',
 'order',
 'put',
 'day',
 'various',
 'try',
 'graduate',
 'others',
 'definitely',
 'path',
 'mostly',
 'well',
 'task',
 'good',
 'although',
 'allow',
 'still',
 'organization',
 'even',
 'go',
 'personal',
 'goal',
 'able',
 'learn',
 'part',
 'person',
 'thing',
 'consider',
 'job',
 'knowledge',
 'data',
 'first',
 'major',
 'hope',
 'think',
 'coop',
 'find',
 'another',
 'manager',
 'client',
 'look',
 'grow',
 'complete',
 'want',
 'work',
 'area',
 'graduation',
 'choose',
 'best',
 'goal',
 'mine',
 'whether',
 'everything',
 'although',
 'continue',
 'job',
 'new',
 'aspect',
 'co',
 'overall',
 'hope',
 'gain',
 'believe',
 'life',
 'interest',
 'idea',
 'great',
 'information',
 'withinend',
 'operation',
 'specific',
 'side',
 'program',
 'value',
 'sport',
 'understand',
 'say',
 'one op',
 'tax',
 'bring',
 'worker',
 'lead',
 'much',
 'never',
 'relate',
 'sucessful',
 'op',
 'come',
 'research',
 'way',
 'skill',
 'help',
 'student',
 'especially',
 'within',
 'learnlot',
 'present',
 'present',
 'work',
 'bas',
 'level',
 'multiple',
 'relate',
 'month',
 'end',
 'position',
 'possible',
 'run',
 'nand',
 'take',
 'place',
 'year',
 'oppurtunity',
 'connection',
 'job',
 'love',
 'product',
 'start',
 'come',
 'within',
 'way',
 'taugustt',
 'feel',
 'insight',
 'study',
 'large',
 'insight',
 'set',
 'gain',
 'speak',
 'aspect',
 'use',
 'apply',
 'meet',
 'make',
 'really',
 'career',
 'though',
 'think',
 'gain',
 'pursue',
 'thing',
 'last',
 'different',
 'good',
 'world',
 'see',
 'firm',
 'environment',
 'confidence',
 'change',
 'internship',
 'something',
 'allow',
 'start',
 'employee',
 'last',
 'sport',
 'whole',
 'big',
 'relate',
 'go',
 'important',
 'become',
 'find',
 'people',
 'leave',
 'marchet',
 'think',
 'though',
 'experience relate',
 'valuable',
 'prepare',
 'aspect',
 'course',
 'sale',
 'push',
 'truly',
 'field',
 'job',
 'expose',
 'school',
 'see',
 'throughout',
 'task',
 'back',
 'ability',
 'see',
 'account',
 'everyone',
 'understand',
 'truly',
 'leave',
 'big',
 'relate',
 'use',
 'look',
 'team',
 'complete',
 'happy',
 'support',
 'many',
 'different',
 'make',
 'sure',
 'achieve',
 'industry',
 'lot',
 'amount',
 'throughout',
 'group',
 'allow',
 'account',
 'position',
 'happy',
 'next',
 'manage',
 'hard',
 'high',
 'enjoy',
 'one goal',
 'expose',
 'two',
 'many kind',
 'bos',
 'set',
 'exposure',
 'good',
 'show',
 'helpful',
 'class',
 'enjoy',
 'department',
 'focus',
 'previous',
 'know',
 'come',
 'enjoy',
 'class',
 'member',
 'give',
 'understand',
 'call',
 'event',
 'job',
 'glad',
 'aspect',
 'go',
 'plan',
 'complete',
 'along',
 'provide',
 'build',
 'show',
 'real',
 'comfortable',
 'real',
 'come',
 'class',
 'create',
 'see',
 'take',
 'start',
 'experience',
 'help',
 'workplace',
 'ops',
 'would,like',
 'interview',
 'task',
 'complete',
 'big',
 'prepare',
 'chance',
 'extremely',
 'remote',
 'set']
In [372]:
df_Goals['Goals Cleansed']= df_Goals["Goals Cleansed"].apply(lambda x: [item for item in x if item not in stopwords])
df_Goals['Goals Cleansed'] = df_Goals["Goals Cleansed"].apply(lambda x: [item for item in x if item not in my_ignore_words_Goals])
df_Goals['Goals Cleansed']
<ipython-input-372-e0b30ae0657e>:1: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals Cleansed']= df_Goals["Goals Cleansed"].apply(lambda x: [item for item in x if item not in stopwords])
<ipython-input-372-e0b30ae0657e>:2: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals Cleansed'] = df_Goals["Goals Cleansed"].apply(lambda x: [item for item in x if item not in my_ignore_words_Goals])
Out[372]:
0       [wanted, get, hands, return, preparation, plan...
1       [ever, since, began, pursuing, accounting, mai...
2       [beneficial, johnson, johnson, due, however, c...
3       [learned, troubleshoot, amazon, network, manag...
4       [professional, networking, opportunities, enti...
                              ...                        
1378    [working, professional, learned, professional,...
1379    [cared, making, opportunities, poor, minoritie...
1380    [professional, goals, cpa, graduating, helped,...
1381    [coming, wanted, future, accounting, finance, ...
1382    [like, office, regards, carrying, professional...
Name: Goals Cleansed, Length: 1379, dtype: object
In [373]:
#concatenating the words in the last column into a string
df_Goals['Goals String'] = df_Goals['Goals Cleansed'].apply(lambda x: ' '.join([item for item in x]))
df_Goals
<ipython-input-373-efc35ad3304f>:2: SettingWithCopyWarning: 
A value is trying to be set on a copy of a slice from a DataFrame.
Try using .loc[row_indexer,col_indexer] = value instead

See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy
  df_Goals['Goals String'] = df_Goals['Goals Cleansed'].apply(lambda x: ' '.join([item for item in x]))
Out[373]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed Goals String
0 2181 Spring/Summer B ACCT 5COP SR Domestic Third/Final i wanted to get more hands on experience in ta... [wanted, get, hands, return, preparation, plan... wanted get hands return preparation planning a...
1 72 Fall/Winter B ACCT 5COP SR Domestic Third/Final ever since i began pursuing a career in accoun... [ever, since, began, pursuing, accounting, mai... ever since began pursuing accounting main atta...
2 74 Fall/Winter B MIS 5COP SR Domestic Third/Final this co-op wasn't as beneficial as my first co... [beneficial, johnson, johnson, due, however, c... beneficial johnson johnson due however collabo...
3 5586 Spring/Summer B FIN 5COP SR Domestic Second i learned how to troubleshoot amazon's network... [learned, troubleshoot, amazon, network, manag... learned troubleshoot amazon network managing n...
4 2366 Spring/Summer B FIN 5COP SR Domestic Third/Final an aspect of this co-op experience that relate... [professional, networking, opportunities, enti... professional networking opportunities entirely...
... ... ... ... ... ... ... ... ... ... ... ...
1378 5562 Spring/Summer B MKTG 5COP JR International First this was my very first experience working at a... [working, professional, learned, professional,... working professional learned professional task...
1379 5912 Spring/Summer B FIN 5COP PJ Domestic First i have always cared about making sure there ar... [cared, making, opportunities, poor, minoritie... cared making opportunities poor minorities pre...
1380 5572 Spring/Summer B ACCT 5COP JR International First one of my professional goals is to become a cp... [professional, goals, cpa, graduating, helped,... professional goals cpa graduating helped close...
1381 5574 Spring/Summer B FIN 5COP PJ Domestic First coming into my co-op i wasn't sure what i want... [coming, wanted, future, accounting, finance, ... coming wanted future accounting finance manage...
1382 5579 Spring/Summer B MIS 5COP JR Domestic First i definitely feel like the experience of being... [like, office, regards, carrying, professional... like office regards carrying professional saw ...

1379 rows × 11 columns

In [374]:
#joing the words in rows in a single string
Goal_all_words = ' '.join([word for word in df_Goals['Goals String']])
In [375]:
Goal_all_words
Out[375]:
'wanted get hands return preparation planning allowed seniors partners explaining things future wanted could working time ever since began pursuing accounting main attain four seemed like reach thought reach get opportunity knew thought could keep head bdo four considered discouraging time could time bdo could impression time prove bdo takes profession meant smaller six months went learned knew time came second decemberded shot four led ey decemberded milestone four years earlier could keep head could let fate handle rest ended ey extended time offer lesson beneficial johnson johnson due however collaborate remotely colleagues globally locally approach assignments ideas ways solve either enter consulting project management roles using salesforce agile project management method boosted opportunities pursuing time roles learned troubleshoot amazon network managing network vulnerabilities professional getting cybersecurity understanding basics network works essential professional networking opportunities entirely addition living campus since marchh thought quite difficult social professional setting similarly sized company scarce interaction anyone immediate week twenty us virtual setting semi weekly virtual meeting hangout meeting allowed us get us added linkedin share similar interests certain keep touch addition meetings immediate saw several personnel additions tenure allowed network extensive list connections professional pursuing competitive tech future working vanguard largest investment management companies helped vanguard challenged tasks required critical thinking coordination learned audits time sometimes given unfamiliar times tasks going questions thought process difficult rewarding knew failing learning pick knew figure unfamiliar accomplish tasks required problem solve competitive tech future competitive firms hire employees driven problem solving working vanguard business systems technology opportunities express network digital company connections future guide opportunities tech vanguard college grateful opportunity interested events opportunity production adam lippes tom ford fashion shows office saw sneak peeks planning process seeing preparation days days together amazing reinforced desire somehow events beginning time macquarie sense urgency type like officially due discovered passion worried found yet conversations coworkers macquarie reassured stone time enter workforce reinforced working lifelong obligation sentiment reverberated thoughts entirety time macquarie allowed branching parts business explore areas remotely areas happened sustainability macquarie currently mission sustainable asset given rare opportunity helm process applies brand marcheting technical marcheting massive unique gotten elsewhere helped frame like officially enter workforce unlike clear lane needed stay macquarie room explore allowed process decemberding like post related professional pursuing networking professions colleagues networking future search company like addition experiences companies require time recommendation need time addition provided mentor guided mentor fit quickly guidance enjoyed sap helps professional growth since freshman advantage three working industries majors marcheting organizational management play distinct roles company depending law experienced differed greatly second worked skin health section pharmaceutical company saw marcheting moreso related sales trade promotions meaning worked sell companies sold products customers opposed focusing marcheting selling directly consumer working sector diverse third rounded entering workforce step outside zone choosing primarch city live york city dream york city time lived anywhere outside philadelphia allowed explore eat foods surrounded diverse addition working finance marcheting utilize daily tasks included analysis pulled salesforce reporting forecasting metrics across private wealth sector proud attempting allowed develop sets useful matter professionally learned thrive fast paced fast turnaround time projects require tasks creative utilize brand consumer analysis opposed financial analysis lessons connections fashion finance required demands collaboratively teams products expand business like learned goldman sachs effect professional networking employer encourages us explore every week break room session placed break rooms randomly normally minutes employees chit chat departments allowed view subjects perspectives topics discussed professional subjects example getting perspectives advice nail resume process eye opening addition learning true passion professionally lesson learned professionally need personally succeed professional negotiate communicate comes interviews moreover deviate finance marcheting shadow talk employers departments finance specifically credit operations acquisitions quite interesting personally professionally gained advice thought proceed hear perspectives helped keep open mind keep comes exploiting professionally personally heading final knew wanted mind telling terms profession opportunity return grant thornton final discovered working completing time around showed working directly clients exposed pandemic changes facets spoke accounting heard saying accountants hate accounting happily case instead provided glimpse future potentially years line showed weird passion inside mind flash pan beginning journey might getting little deep away final sense knowing thrill excitement things progress rest close officially beginning post looking diversify develop professionally individual allowed exposes variety financial perspective process perspective variety clinical trials due pandemic things clinical trial process professional goals analytical marcheting focused traditional marcheting content creation working events helping design brochures opportunities launch digital marcheting campaigns analyze result wanted digital marcheting creative analytical marcheting rounded interested pursuing marcheting analytics hoping opportunity familiar digital advertising platforms visualization tools responsible ad campaigns company websites involved digital marcheting creating ads facebook google verizon media noticed interested gaining analytics introduced workers later involved centric projects relatively small company frequently testing platforms initiatives offer better advertising results therefore often asked extract analyze using software techniques minimal prior aspects professional goals pursuing time spent reignited passion scholar corrected dedicated second accounting intern estate company philadelphia includes minor interesting together could possibly degree looking forensic accounting profession audit nice could accounting estate together future options rounded possibilities finish classes moving future possibilities endless learned comcast facets alone nonetheless company works like spoke wheel spokes breaks wheel stops learned working company like comcast backgrounds jobs tasks goes together move forward left behind pulls working network backgrounds like senior vice president working frontlines retail stores working california working right philadelphia hopefully making impression open door possibly engineer scientist needed improve technical getting sql technologies like azure strategic decembersion maker future opportunity directly numerous individuals shift contribute conversations decembersions tremendous future directly decembersions created tools enable decembersions decembersions closely align agreed upon outcome professional goals cpa gained auditing four sections cpa exam got connections public accounting get offer process excited helped get connections success increasing skillset related gaining trying cover topics business revolved around construction interested trying without directly involved labor things eyes understanding companies function unexpected company actually function seeing company function poorly decembersions aspects company performing peak eye opening classroom projects need together business model pull professional stepping stone due constant problem solving flexibility situation actually inner workings family business top bottom ranges hiring process contract negotiations else personally deepen professional connections city get future employers improve reputation like done ultimate improve professional resume achieved technical meaningful done recent months projects involved leveraging analysis business insights mitigate risk notably opportunity undertake machine learning projects demonstrate subject involved implementing state art natural language processing models sentiment prediction text extraction sales logs software tableau used visual charting probe credit trends newlane fitting quantitative projects better understanding equipment financing portfolio management every week diving deeper interpreting risks portfolio coming inside departments company operated process potential approved contract working practice picked could prove useful search related professional communicate effectively virtual knowing communicate things correctly via email private message crucial ensure page collaborated projects success working home current given invaluable regardless working virtual allowed explore minor consists studies working setting leader follower applied working classroom setting organizations time accounting pittsburgh studying cpa exam backgrounds working four accounting firms accounting five years network get contact recommendations offices pittsburgh relatively small uncommon working certain projects andersen understanding intern intricacies yet time explain explicitly helped bigger picture copy pasting numbers excel sheet importance upper management needs got variety services andersen offers confident going service line six months realized thoroughly private services opposed diving corporate salt state local projects sales taxes helped get better accounting like visualize exactly store post got variety services andersen offers confident going service line six months realized thoroughly private services opposed diving corporate salt state local projects fantastic realized private investing speaking entrepreneurs showed like time refine leadership utilization basic principles management cover move keep things simple prioritize execute decemberntralize command principles taken works jocko willink laif babin sake short answer response principle prioritize execute rarely struggle executing directives given told plain simple however struggled prioritize effectively cause problems personally professionally decemberding needs done critical lacking leads poor time management every required identify priorities act example necessity lines section time occurred either someone cover lines covered line time instances nobody else available cover extra line prioritize opportunity like every became fairly skilled prioritizing tasks fell purview tasks prioritize spot priorities positions therefore capable filling quickly improvement prioritize execute leader college finding marcheting choice vague directions fall category marcheting said helped particular marcheting viable option future professional goals sort management maybe company working boss vice president bank eye opener watching departments sight witness need command kind opportunity watch someone need picture companies management leader bigger picture fit pieces project together saw worked mind bigger project results wanted crack deadlines huge clear concise leader got watch boss worked grad future management single inspired get master degree future follow direct solidified healthcare pharma post main coming rest coo helped assist future government contractor learned processes standards military grade seen experiences better upon accepted assistant project private government contracted experienced asset helped develop communication could future interviews choice marcheting tech together things like get involved app design ux design minor marcheting seemed like fit extroverted customer facing pulling shell introvert deal confrontation customer facing zone genuinely geico allowed reach pursuing confident representing getting fear negative results years university constantly fear making mistake told interested presenting addition terrified public speaking avoid getting quick slides presentations noticed fears scared negative result confident things presenting geico helped develop reach quickly visiting dealerships times tell interested promoting already working insurance agency accept simply trained supervised sales office talking get agents signed however couple trips together finally turn accept negative results fix holes promotion visiting dealerships addition spokesperson geico allowed develop better communication since communicate geico wanted dealerships vice versa geico allowed confident negative results happen expected negative results lessons positive results helped reach learning gaining investment management believed wanted helped narrow alternative investments towards equities fixed income working renovembers helped connect investment banks york land time developed seeing deal process buyside provided numerous future endeavors allowed receive time offers top investment banks york working private equity months opens doors across top finance roles consulting private equity investment banking venture capital corporate development founding partners renovembers communicated daily included ton exciting projects statement financial model deliver directly clients developed excel financial acumen commuting wayne pa profile financial service firms located outside philadelphia helped acclimate areas outside philadelphia open meeting individuals juneor became friends term renovembers recent opportunity meaningful working biggest banks goals working company like jp morgan chase post additionally basel measurement analytics retail capital reporting analyst situated treasury chief investment office balance sheet reason networking alumni learned experiences gained working company like jp morgan aligned wanted follow projects analysis lines business automation projects could learned carrying projects familiarizing started gaining responsibility reporting processes time senior laid foundation post coming goals terms wanted get companies wanted get time college wanted pursuing entered knew loved computers technology passion tried engineering unhappy finding mis business analytics chubb helped professional goals explore environments working cultures provided typical american corporate every business activity controlled established processes procedures documented volume company sharepoint since operations supply chain management technology innovembertion management could benefits operations innovembertion upon reflecting move exploring rather opposite belong helped better narrow professional goals prior unsure future enjoyed motivated valuation analyst continued keep learning financial modelling valuation realized future roles contain financial modelling motivated delve deeper financial modelling types investment banking private equity roles ultimately professional every related goals goals wanted impact could improve media relations coordinate interviews yahoo news today website axios bloomberg quicktake cheddar news helped list contacts resulted media coverage clients cryptocurrency went maybe learned pull contacts reach reporters pr helped confirm business sort financial accounting database awesome like least future going enjoyable liked working found direction professional goals got hired excited landed dream dream eager difference wait takes professional goals diverse analytics learned classroom greatest benefits learned action critical working schmidt business consulting technical learning used excel access compile datasets simplify workers used pivot table filters reformat sets database access better visualize coming learned weekly expert used created reports dashboards salesforce software familiar accounts products pricing common software businesses get resume proficient reach goals future diverse several jobs companies opportunity switch positions move began time years ago finance working goldman sachs get easily juneor round interviews unfortunately chosen alternate bouncing years later achieving working gs showed instead giving harder time achieved working gs time experienced uncertainty regarding direction competency succeed due drastic changes majors started freshman interior design suddenly changing sports management senior business administration lebow taken wide variety courses subjects colleges often uncertain belonging classes prepared qualified enough peers identified strived establish achieved retrospect upon moving forward learned competent qualified settings share historical context intelligence limited subject business learned could table second guess grace someone else counterpart share load follow independence superiors abilities accomplish goals enhance technical abilities found rarely determining qualifications critical thinking creative solutions problem solving analysis far realized vital abilities possess allowed follow established regulations auditors follow wanted cpa experiencing excel audit section cpa exam bettering understanding estate finance primarchly finance second primarchly estate construction allowed combine experiences transactions covered daily terms professional goals provided opportunity develop better understanding cmbs commercial mortgage sector interested reits underwriting commercial estate finance get direct reits underwriting access plethora material provides unique terms goals allowed fulfill acquiring graduated kbra found encourages professional development creating atmosphere cmbs professional goals environments already worked gap experienced public sector second wanted huge corporate comcast definition surprised similar working public sector private makes sense hindsight since three structures regulating startups nature probably happiest working decemberntralized noticed distinct difference motivation working comcast three environments cared cause working comcast mainly pay benefits seem like slough pushes towards figuring kind company pros cons kind could get worked venture capital starting business venture enabled business raise money develop strategy leadership takes enabled better leverage technology entrepreneur vital better venture process connections space helped confident raise future funding venture backed business started home services business leverage technology efficiencies working software helped f types software leverage else add terms thought get count please ignore vvthe vthe vthe vthe vthe professional depth business operations energy sector goals starting sunoco lp general sense business operations united states relative india wanted explore difference management styles finances handles business conducted helped exactly got closely director operations management besides routinely conversations directors ceo coo meetings events conversations got observe talented handle crises business partners customers got trade secrets regarding oil gas giants share comparison second india clearly saw huge differences employees managed expected executives biggest observation employees sunoco treated company foreign entity working without emotional someone aspires business saw firsthand importance making employees larger importance making significant company learned networking necessary successful wealth management looking forward network relationships settings potentially towards professional success prepared successful networking quest get practice employees interning time could nt better enjoyed comparing peco provided minimum training repetitive non interesting stunned growth engaged aspects business digital marcheting learned practiced html search engine optimization user content production like learned supervisor extensive training aspects seo helped boarding training prepared entire term future invited meetings company highly transparent things operate voice heard highly suggest students employer like college ave prepares enable ready future learned special sociality like campus unexpected situations need handle example finding error bidding document minute uploading campus concern appear working lecture prepared resource destinated goals fail however sociality complicated prepared resource clear road future crossroads working appear often usually need quick decembersion based ethics glory campus successes lecture like getting like easy sociality success failure need failure could failures compared campus excitement successfully used campus refine company improvement confirms importance college ambition higher degree graduated continued understanding working personalities grown peoples strenghts finding weaknesses allows outcome advantage learned time means leader directly correlates leader community directly allowed flex engineering finance degree allowed offer unique perspective problem solving addition allowed actual gained classes better concepts topics professional allowed makes passionate working extra hours forced successful allowed renovembers helped existing form goals least embarking exposed learning experiences past highly effective preparing beyond college improve soft technical additionally result experiences learned aside development network extensively beyond form professional currently goals spending six months hugely impactful excited opportunity staying time indefinitely eager professional goals enhance technical familiar certain systems willing assist providing opportunity using everyday processes allowed thrive supportive exciting engaging enhanced gaining navigating systems proficient handling python reading sas script analysis enjoyed working focused learning development understanding write types environments working types clients loved resulted viewing training perspective seeing used company clients working improving powerpoint future need get better writing creatively effectively business engineering taken courses due coursework needed degree however time improve writing business development roles improve creative writing improve business development improve practice included writing relevant creative outreach emails applying opportunities trade challenges benefit greatly gained greater understanding relevant resume builders terms writing perfect balance nice mean regarding communicate generally live crucial perfect art nice assemblers advantage hand mean assemblers intentionally harder ultimately goes assembler nice mean anyone reason said establish taken advantage supervisor means responsible running line making operates close means every line properly function timely manner unfortunately live perfect every every assigned supervisor tips timely manner angry keep hand majority complain difficult line fast situation ensure ok need assistance enough business eventually started etsy shop quarantine learned sharpening core helping professional giving resume worthy knowledgeable business risk floundering seen legitimate sought expertise helped hr learned coworkers climb ladder certifications since reviewed resumes every employer standpoint candidate three vastly experiences decemberded interested going sales specifically pharmaceuticals replicating pharmaceutical sales virtually impossible working access incyte given opportunity daily functions pharma sales rep professional goals opportunity attend speaker virtually discuss polycythemia vera blood cancer causes bone marchow cells patented drug incyte jakafi treatments cancer indication speaker sales reps enjoys dinner nurses doctoberrs health care professionals physician discusses disease case scenarios patients living pv solutions improve quality attend took kansas city preview normal activity participating pharmaceutical sales rep addition opportunity network rep brought daily roles functions opportunities like speaker networking reps incyte given intel hopefully open doors time jobs professional becoming buyer procurement executive allowed procurement creative ways via projects projects freedom direction saw fit interesting solve problems discuss solution feedback improvements line using education financial privilege repair regrow protect marchinalized communities gentrified purposefully excluded investment estate development starting almost years ago provided opportunity host produce weekly webinar podcast called jumpinar nin interviewed members estate front sizeable audiences attendees produce live webinar audio podcast got broadcast wrgu fm every friday fulfills incorporate radio programming beyond participating college station professional exposed financial marchets instance enjoyed learning emerging marchets countries china taiwan japan including companies reside countries learned politics government regulation economic conditions china played performance plethora tech companies interested wrote news article explored heard news emerging marchets nothing knew emerging marchets played huge global economy learned small cap companies attributes affect performance small cap companies like enhance pursuing portfolio need aware occurring global economy reading financial news general staying sharp academics finance classes progress understanding financial marchets need read financial news u countries realized wanted healthcare csl behring allowed pharma classes business healthcare glenmede opportunities majority greets enjoyed every conversations office alongside seeing walk desk nice talk peter zuleba executive breakfast meetings opportunity gordon fowler opportunity talk executives ceo company makes glenmede stand opportunity company like vanguard vast size summer project networking experiences company given opportunity project college peers project must ways acquire retain generation clients presentation project coming weeks pursuing investment management hand finance allowing departments paid mutual funds daily ensuring funds balanced reports responsible daily weekly emphasized importance management style gel abrasive management positive feedback uncommon going forward better understanding like handle working managers fit perfect style pick managed understanding stay efficient management style independent taking initiative things past hesitant initiative things overstep wanted employer proactive solve potential problems issue completely therefore independent given standard operating procedure document outdated teach working realized certain wrong included document solely solved problem update standard operating procedure document future students frustrating overcome challenges confident independently taking initiative learned times employer took step trust responsibility result proactiveness showed thrive independence confidently proactive got working sets using numbers tell cohesive story operations time graduating learned state operations figure ultimately improve operations noticed distinct difference initial supervisor built templates finish specifically busy handed financial statements expected fix issues professional treated equal refreshing note finance minor computer science entertainment specifically film tv advertising fields studying film subject matter interesting like fact film huge accomplishment studying film prior difficult get film coursework intro get resume independent search finding difficult however taken spoke teachers reached jobs finally landed accomplishment personally academically professionally proved majoring film mean get related personally invest estate perfect opportunity estate takes property saw things paid saw needs get done taken coursework related estate get done moved forward management coursework future estate every related barely understood managing properties spoke heard company departments alumni told experiences went educational experiences peco helped allowing time classes time positions outside connections company connections ever helped business law law wanted opposed fields worked perviously communication academically projects settings past pwc professional goals type like offered time company upon huge weight shoulders professional striving towards since beginning time company time final without worry looking time employment additionally begin studying taking certified public accountant cpa exam four parts difficult exam attempting get exam done starting time company without built unsure enter workforce half belt opportunity ahead time potentially cpa exams starting time thankful huge milestone professional goals receiving time offer four accounting looking forward hopefully surpassing receiving cpa licenses soon final looking scale global corporation footprint practices fmc fulfilled looking behavior supervisor overwhelming times benefit pursuit establishing professional post involved campus lives freshmen easier helped meeting talking gateway garden located front u cross meeting talking ways garden accessible students despite covid scenario meeting talked putting gateway garden digital areas app connect areas already ideas like since youngest meeting saw importance digital marcheting making impression audience contribution valid took consideration wanted digital covid taking toll popularity gateway garden students opportunities students online achieved students arrive campus freshman sophomores seniors shown goes behind getting campus ready freshman certainty quite related professional finding investment banking assist bit actually disappointed resources offered get none dedicated tens hours speaking underclassmen breaking investment banking common disappointment assistance given amazing institution clearly target appears right plans changing achieved constant networking inside banks ultimately leaving offers summer analyst offered time fulfilled professional getting dream moving york city wish organized finance successful alumni dig years resource students longed years learned accomplishing professional taking classroom senior smoother ready marchh highest dreams achieved advance freshman main goals connect alumni journey past months pleasure working lebow alumnus amazing someone understood exactly going moment working time taking classes boss mike known south philly touch time working forrester line ever needed network someone reach gladly happen advice professors live post grad makes eventually effect students dream company takes given opportunity journey invaluable someone took similar years older excelled mike showed genuinely professional technical coding wanted get baseline understanding coding platforms baseline specify certain narrow search get depth chose analysis since liked creating models interpreting results datasets applications allowed depth analysis get datasets used get since employer knows depth someone without professional working estate finance taking right route pursuing estate finance knew wanted get masters wanted get masters get masters finance allowed majoring exactly older arrived university pricewaterhousecoopers pwc pwc leading accounting profession logical choice working leader accounting profession adding fortune clients pwc represents mind leading ultimate pwc prepared technical accounting including trial balance analytics accounting software usage regulatory compliance additionally soft critical facing roles include quick thinking professionalism ensuring fully versed discussed entering meeting representing pwc critical versed business dealing respective meeting provided business managers pwc add meetings ultimately invited meetings dream attend levels hierarchy pwc ranging associate global engagement partner eventually get global engagement partner discuss beneficial pwc personally professionally reach goals professional network connections could potentially mentor became close boss became mentor helped pathways figure wanted graduated greater understanding wealth management portfolio estate fit individual investment portal goals estate investment property spending working brokers process goes acquiring estate investment piece engaging broker tactics employed broker going forward taking sales negotiations classes enhance selling negotiation former employer used future sales completing organizational management better clients brokers helped professional goals related planning gained strengthened transferable events months panels audiences community pushed zone reach network alumni probably beginning covid crisis lockheed marchin working closely u defense dod identify ways critical financial operational vulnerable elements u defense industrial base since marchh corporation accelerated payments suppliers including small businesses across states lm works closely dod goals soon commission second luitenent united states army valued working company upheld respect nation mission marcheting gained hands examples classroom everyday needs wants clients delivering presentable senior soon hired technology automotive marcheting aspects translate future found like coordinate workers get projects planning project executing working liked future avoid coordination positions improved immensely confident like land like college found like competency based better based certain nothing non profit business minimum higher ed second found downsides non profits far avoid looking looking getting estate self starter eye opening reach obtain potential continued spark cybersecurity systems eager studies msis cybersecurity stepping stone enter learned discussed daily importance cybervigilance aware phishing malware ransomware exhibit cyberbehaviors communications technical heavy coursework stronger technical prowess remember foundation cybersecurity learned moreover collaborate teams communicate upper management towards confident sharing thoughts ideas struggled time provided safe encouraging collaborative pushed step zone share ideas projects better government contracting works hand military industrial complex considering taking allowed stand military officer civilian understanding negotiate better helped decembersion like private sector government knowing allows pinpoint goals certain years milestones abstract ideas wonder anything entire prepared military civilian accepted offer return time drive forward entire plus returned second instead looking company incredibly pleased honestly need words express sum quite quickly individual immerse learning hobbies allowed things done shoe clothing goes behind scenes worked financial analyst global treaty chubb requires understanding insurance general marchetplace example company rate therefore helps closer college reality financial analyst financial advisor prepared essential technical analyst finance instance query database management system peoplesoft finance cognos besides accounting helping managers issue treaty codes genius balance sheet system besides technique improve soft financial analyst detail oriented time management gained spend time studying finance math short term enroll specialized interested going social media introduction related professional closest sports incredible experiences working exactly wanted youth professional sports enjoyed working non profit youth sector stone prefer working professional sports rather non profit youth mean hold tremendously however allowed completely virtual opinion could completely far achieved thinkn better networking networking absolutely vital employees snider hockey monthly improve connections absolutely incredible lose networking gained past ones improve chances getting dream searching connections launch wanted working companies sizes office second small company employees entire company macquarie international company offices around finally working corporate adapt working individuals cultural backgrounds redundant creative ways things interesting professional going working age realty working realty fuwa owned family family business decemberding family taking route completing marcheting analyst realized interests like chubb finance realized liked helping family finished finance helped zone used laid moves slower worked directly clients helped accountable meaning deadlines effectively proactively communicate progress learned constantly reprioritize enough time deadline iterate necessary used importance waiting minute incorporating mentality style helped successful additionally learned difference busy productive multitude assignments varied terms attention needed depth required urgency get done someone else relying regulatory deadlines current state relationship usually done based proximity deadline however learned incorporate factors working busy productive aspects determination possibly improved ethic communication done communication front given feedback received check ins progress step right direction helped confident decembersion investments pushed remain focused regardless events grateful training provided moving forward cfa certification expand investment strategies portfolio management theories better catering clients future whilst greatly enjoyed time icam discussion colleagues members helped establish add better suited involvement investing process collaboration common macquarie allows cumulative strong contacts impressive backgrounds maintain contact professionals continuously improve academics passion investments professional goals going advertising campaign opportunity freedom previously advance philly opportunity trusted showing went grateful opportunity professional pursuing figuring future helps get get gives perspective facing future like gotten hands understanding built professional relationships learned number things future example communicating appropriately effectively audiences compare making presentation front working project opportunity gaining progressive responsibilities fulfilling developing leadership capacity utilize pick learning condition input activities undertakings useful working ought ways understudies convey altogether professionally partners managers customers forth pleasure working effectively diverse backgrounds beliefs values behaviors integrate culture hierarchy effectively ought classes emphasis perspective understudies break comprehend better prepared innovembertion necessary piece ages organizations manner essential aptitudes permits us ahead reality making assignments less demanding productively classroom exercises ought concentrate projects vocation ought adequately understudy earth self cooperative education played vital helping figure goals ones incredible experiences yet leaders generally sit weekly update meetings direct entire included engineers mid higher managers takes managers check making things running smoothly eventually like reach company time exposed leadership development programs company select applicants interested staying term eventually becoming sooner later like compete applicant leadership development top company managers seen interesting involve enjoyed working load satisfying anything away starting company goals seeing young entrepreneurs dream mindset straight get degree looking business working agile brains consulting helped process starting entails marcheter upon strategic creative projects exactly deepened skillsets ways leading wanted improve written verbal communication weekly meetings progress found challanging every week got better better interesting worked home months company gone met members anyway globe global company internation business classes mis classes defiantly prepped consisted instruct built rapport assemblers esl helped particularly learned came heightened profession term future marcheting college helped pick direction direction potential goals marcheting sports marcheting intern like stand compared marcheting majors marcheting main prevalent time marchus millichap emphasis sales backed pitches individuals companies backed loads customer needs business experienced coops wanted future development business eventual main player commercial estate development key business creating relationships among deals backed influence clients understanding influence leg competition future brought closer branding marcheting working brand relevant future goals original created campaign adhd awareness wanted add professionals treated like trust supervisors colleagues kept giving meaningful challenging tasks pushed loved trust showed accomplished get assigned tasks actually expecting helped professional actual learned communication colleagues like like figure things successful successful means earning money future helped things like things like example dislike working customer service worst worked presales sap hoping dive third enabled sales process software company compare contrast past seeing aspects mid sized company compared scale sap working frontline term project brought managers evaluating ranking system potential customers target errors correct met praise acceptance stepping outside looking deeper granted analysis scoring analytical sales process found enjoyed sap trend frontline expand project proposed honest accounting feels professional liking prefer treated respect newer said times integral treated like dog earn cpa public coming old college freshman wanted professionally time university things industries professions three looking senior better post grad sense accomplished huge particular exposed retail roles addition opportunity shadow supervisor incredibly rewarding grateful helped actualize professional goals goals get wanted interested wanted medical however knew biology finance began looking opportunities finance academia opportunity picky options time fortunate get asset management exactly line like interesting helped develop need college learned money managers performances funds sometimes omitted presentations says fund included involved learned things pertained learned opportunities found interesting nonetheless steppingstone eventually wish helped goals like impact company community guide decembersions like mattered impact disappointed feeling wanted least experiences left feeling accomplished fortunately fit saw impact since fit clear things looking post grad accumulate sustainable wealth attaining learned lifestyle appealing develop brief finance allows corporate lifestyle future gained current supplement eventually open small business learned grueling hours billion dollar company unnoticed fulfilled professional goals rotational college network paths goals pursuing actively engaged things classroom actively brought ideas asked questions asked beyond responsibilities example asked could cam credit approval memorandum credit officers daily basis cam helped get better understanding fundamental credit meeting learned initiative helped land return offer bank time became enrolled rotational credit looking forward getting teams groups years dreamed going wall street since freshman coming true get early beyond forward making friends connections seeing like years might explore options commercial banking corporate banking areas considered critical thinking nature forensic accounting need alert going things making sense using continuing develop aid greatly future main reasons chose milkcrate community milkcrate creates customizable templated apps non profits apps arts programs students environmental matters wanted small medical device company top law getting non related skateboard instructor community knew wanted positive community coops realized enjoyed working small businesses liked openness ideas impact milkcrate certified b corp meaning strives social environmental impact feels knowing reflected community purpose positive companies consideration social impact community operate working milkcrate shown difference community environmental ethical organizations exist thrive example rest time uncertainty professional goals opportunities automate business processes term goals automation specialist opportunity related projects working analytical projects using power bi done visualizations opportunity future goals business analytics time given projects appreciated produced asked creating quality learning including management encourage open mind learned quality collaborate collaborated formed students valued teaching tasks needed hand independent working closely learned taking independent things perspectives outside box around willing advise assist questions perspective classroom excited staying time professional development managers fostered encouraged true positive could relation networking opportunities allowed engaging unique projects anyone else rarely individuals coworkers met thought could informative interests thus suppose fulfilled networking opportunities far often told someone time meeting followed sincerely appreciate members assist connecting however recognized unwilling assist like reflect disappointment sincerely hoped professional project production explicitly told allowed opportunity production despite endless free time meeting exceeding project requests due dates working production insisted tour projects despite exact description members controlling unprofessional frankly immature attitude members leadership left devastatingly unfulfilled upset experiences hoped attain biggest goals personally academically professionally hone things fit needs stand needs met huge exercise unhealthy situation action remove situation goals education towards law degree strengthened desire sparked previously thought spent time speaking employer future quickly learned agent requires contracts write gives huge step competition player contract contract endorsement deal agents benefit navigate reminded like football capacity perfect analyze film recruit players sign learning goes contract negotiation agents athletes brand deals begin things classes get context experiences anticipate going right working years belt process better road went beyond expectations resource learned models specifically women indispensable matter working impact makes vital essential acquire experiences makes asset anywhere pretty foreign dealing corporate fraud cases security risk cases working huge range companies across industries applied need succeed pretty far zone challenged ways cases complex depth analysis required immense types cases material dealt directly excel coding analysis complex problem solving succeed lasting impact company clients worked goals post financially working merck learned needed provided framework success future helped sharpen problem solving lots ad hoc assignments projects assigned resources available project professional skillset small businesses operate function financial modeling entrepreneurial finance classes small businesses evaluate business opportunities researching educational consulting resources perfect match aspirations eye since search business procure prior furthermore enjoyed college basketball someday either coach director basketball operations ncaa division said ideal obtained wealth experiences better daily innerworkings college basketball performed array duties ranging recruitment practice game logistical planning perhaps importantly exposed variety technologies systems essential functions spent practices videotaping working audiovisual hardware synergy software recruitment gained working microsoft powerpoint prezi adobe photoshop tangible college basketball got finance healthcare company got previously healthcare company interesting dynamics got finance terminology got get export financial systems nice networking opportunity process improvement innovembertion fulfilled expectation process improvement innovembertion regulated leads paying attention detail communication global pick guidance supervisor thoughts paper produce products ideas excited company finance estate aspects makes working fields applicable jobs encompass inspires dull every single company like servicestar got little bit accounting development fund raising working financials wrapped helped professional development learned upfront clients advice listen rather trying fix problems clients faced realized grown excited learned hopeful helped shape realistic goals future reach confident abilities handle thrown involves outside classroom organized remembered done used planner wrote things yes works time usually remember assignments dates exams meetings however found struggling remember needed get done mentioned needed done tomorrow took upon list post knew exactly needed get done constantly got overwhelmed small tasks needed remember writing helped get organized encouraged using planner winter term remember assignments due written slim might forget forward using planner writing spring term beneficial taking courses spring hopefully keep organized knew wanted sports due pandemic available sports opportunities turned live events live events like concerts festivals conventions require infrastructure sports need working welcome america learned partnership management activate relationships need background sports enjoyed particular sports used translate get get consulting perfect steppingstone similar consulting since mainly forensic accountants deep analyses company financials involved sort litigation looking analyzing wide variety financial documents future consulting already worked consulting division consultants projects going forward classes financial get better excel learned excel huge analysis crucial organize potentially shown court front jury time excel huge main professionally impact whatever company vital coworkers rely assign provided opportunity step responsible type diligently tended impact since thankful participation could trusted carry duties get completed appropriate academical professional pursuing fact get working like coming opportunity somewhere im like every since liking affect positively wanted like get im studying im learned elucidated passion development helped strengthen aspiration sheds light future factors consideration colleagues transparency resume future search process heavy healthcare wanted insurance interested inside prospective insurance company operates enter combine passion marcheting creative time passions together practice professional setting better secure future jobs offer opportunity creative working marcheting direction learned communicate time working remotely difficult making got tasks done time communicating effectively workers improved areas worked heavily excel rest time jobs future pursuits currently pursuing finance business analytic specifically regard selection business analytics upon sense given manipulate transform thousands quantitative values spreadsheet database meaningful qualitative piece used inform strategic decembersions allowed week performed calculation performed variance analyses calculation variance analyses involved making sense transaction details trades needed happening granular learned pivot tables summarchze manipulate based granularity wanted learned positive negative total meant depending column belonged example positive column meant party receiving money negative meant posting money needed summarchze happening drive week week identify biggest values driving exercise teach approach deriving meaning given return classroom leverage studies allows explore business completed prior worked analyst second global accounting corporation majoring finance accounting business analytics roles positions marcheting focused involved almost every alder creek segmentation competitors interesting enjoyable marcheting incredibly aspects everyday marcheting right post apart marcheting alder creek marcheting test delve deep segmentation incredibly enlightening goes widely used water assumed going matter shelf location price gets bottled water company demographics customers geographic psychographic segmentation incredible finally professional setting pursued chaos professional adult craziness schedule perfect focused constantly monday week planned knowing exactly going going tuesday week maybe quit truck time leaving store lack maybe store trouble refrigeration maybe affecting schedule constant schedule huge step forward prepared professional particularly since athlete accustomed regimented daily schedule primarch obtain better understanding competencies professional purolite helped determine jobs programs focused marcheting finance chose could strong financial understanding classes chosen marcheting related jobs could better certificate deals writing helped marcheting came writing researching blogs working adobe products used adobe premiere indesign photoshop lightroom illustrator programs designing marcheting materials business creative working marcheting allows worlds interested business entertainment worked exactly enter venture capital luckily aspects helped participate sourcing due diligence process corporate venture capital venture capitalists participate deal flow process transition time offer near future touchdown showed time prepared thought similar finish degree rethink classes thinking taking lat terms taking harder classes interesting schedule filler professionally college like either company similar showed cared customers working professional becoming scientist quite bit goes science grab term anyone whose might center around variety could requirements depending company trying breadth centered around engineering exposed seen pick spent zone could frustrating times looking went laundry list wanted list grown magnitude certain thought competent found became aware helped round hopefully desirable far goes journey far like far forward classroom virtually answer question financial sector somewhere id like since enjoyed working investment bank thrive given opportunity anywhere financial sector stay committed ups downs learned patient matter situation might expect walking curve balls thrown us difficult since small time employees got interactions bad towards middle bosses left reasons left step plate boss office guided us worked us confident working effort shown importance looking teammates respecting coaches communication huge wish better understanding times nervous question like completely wrong took away imperative needed helps struggled math courses years eventually asked friends family leveraged resources competent enough pass classes struggled handle excel sheets asked eventually asked constantly worked became dealing quantities helped writing needed utilize everyday write strong pieces behalf ghost writer responsible editing pieces helped develop writing lastly lots reading pick writing taken finance decemberded professional finance original accepted summer financial analyst company called moda due covid unable attend office company unable send documents due risk sending exposing private financial company clients luckily father business similar entering financial analyst already interested finance taking reganata associates moving forward gaining hands financial analyst independently tasks reading company financial statements analyzing business operations conclude company worth investing reganata associates tedious fulfilling given reviewed implemented dan ceo clients improve upon analyzing bigger companies exceptional financial decembersion making smaller tasks related taxes main accomplishments comes march company compiled reiterated used comparison future gone proving left behind company develop network investment bankers private equity individuals lean considering time jobs company based colorado curious moving college expand network enjoyed forward opportunities network goals improve communication working facing goldman sachs enhanced verbal written communication working members clients subject matter experts supporting pwm trusted directly compliance operations external custodians resolve outstanding issues accounts moreover got assigned project tips strategy comprehensive presentation satisfied outcome presentation however presentation colleagues willing constructive feedback improve presentation communication future feedback posture voice projection ways eye contact audience time huge switch leadership adapt professionally communication necessary since meetings introductions colleagues etc zoom relevant professional goals pursuing due fact going legal working cozen ofconnor law connections future particular directly legal helped interpersonal gaining better understanding law operates professional working towards starting logistics company process style suit personality interests working estee lauder got closely management directors allowed get inside view takes boss leader management advanced eye opening view management styles pros cons using combination lines workspace individuals specifically wish logistics company benefits cliental working three experiences particular opportunity managers original manger received promotion director tom erik took wing fully explain step supply chain process office erik took extra step forward allowed sit meetings entire estee lauder conducted witness hand goes running successful attributed professional rather professional far communication writing constructive criticism better communicator writer efficiently unique schedule flexibility autonomy given ongoing goals keep disciplined schedule let bleed consistently strive keep standard terms schedule time unique test goals given autonomy aspects scheduling actual point asked coming tested discipline ethic unsupervised entire reflecting beginning immediately noticed autonomy given actual effort stay disciplined schedule second probably taken advantage autonomy failed keeping ethic schedule towards like essential company proud discipline ethic schedule lacking times proud thankful opportunities given professional goals improve programming instances programming methods search extrapolate timely manner goals mindful individual comes organizing managing time alloted completed struggled ways incrementally improving decembernt like professional pharmaceuticals like explore pharma working johnson johnson procurement merck expand networking opportunities interesting commercial global supplier management anticipate positions going senior quality assurance entirely bit repetitive like incorporates facing responsibilities interacting basis allowed opportunity project management prominent addition projects aligned enterprise wide portfolio leading initiatives highlight aligned aim gaining leadership learned management managing common creative project case gained cigna operational standards follow project structure using resources project since fall specialize profession eyes exactly might corporate accounting like like company could working given opportunity wanted prove could accepted competitive companies u done provided huge company could getting return offer changed anything education continues direct passionate working offered directly studying identify areas liking connections available secure time future working teams classes case competitions greatest powerpoints presentation material ancillary got step closer currently developed impact investing intentional focusing time impact finding ways add community jordan park opportunity essential technological specifically addepar ms excel salesforce smarchsheet got project jordan park trading system implementation external consultants gives vender facing worked directly senior engineer track progress project automating update request notification special projects teams across automated annual property payments smarchsheet saving translates annual savings problem solving ownership presentation agile development term development solution business problem received opportunity directly coo biweekly coffee chats received mentorship interact navigate disagreements communicate effectively received move projects keeping mind parts need together came knowing wanted accounting finance wanted majors knew wanted explore offer decemberded track accounting connections lebow based training went preparedness ended three levels hoping got opportunity explore finance insurance asset management lucky worked enough fields accounting classes land add four accounting honest like students land professional experiences prior received time offer pwc learned previously thrown ring circus four accounting learned hustle listen colleagues fast paced beginning journey could imagine today takes dedication auditor sometimes sleepless nights helped reach proud avoid accomplished professionalism learned auditing goals pursuing thrive developing soft ready enter workforce directly sanofi opportunities endless company takes time train properly allowing questions asked answered workers quick tips tricks programs used higher rate volume master tasks advanced given increase skillset growth entire period company beat expectations allowed develop ever thought allowed explore financial services sector analytics professional setting departments operational risk impacts took outside zone putting develop could fit could aspects degree allowed provided growth professional wiser going third desired project management achieved learned project however complex nature extensive planning quickly launching business project ahead daily operational aspects business enjoyable project based improve aspects company fit aligned tasks smaller delivery window current nice going deal problems slipped cracks opportunity fix systemic issues areas improvement streamlining processes options health union acknowledge aspects could improved opportunity responsibility fixing essential company better started coming time helped fulfill working close time six months likely time company working tremendous could easily across country business professional opportunities wide daunting range seem intimidating least let explore facet business given thought arts administration together scholastic goals together case begin honesty allowed explore get professionals networking beneficial getting seeing operate short lost professional goals track opportunity yet greatly appreciated presented company brought companies begin difficulty trying develop network develop foundation company future professional determine could financial keep pace today however particularly difficult time obstacles tasks networking cold emailing lack financial projects financial difficulties connect professionals wish could financial projects however company seemed focused advertising towards investors developing marcheting towards public develop networking professionals network future could possibly abilities intern however project due financial struggles helped develop managing budget finding places profit determining expenses needed priority managing time positions became sources income recent kolman law showed law like law constantly changing case fresh problem monotonous like jobs importantly brings sense fulfillment purpose opportunity everyday hopefully lives better jobs biggest concern working legal reading reviewing documents get bored projects reading around pages mind enjoyed comforting knowing biggest concern future worth worrying three got companies three company sizes estee lauder plus employees second marchette funding plus employees third final kolman law employees included liked marchette funding sized companies style marchette funding teams branches diversity nice working towards common feeling like family academically helped time management successfully keep completing classes since anyone breathing shoulder watching turn period generally trouble reached sooner get away personally communication improved learning cold reach companies email sell professionally teach hoping get interact accounting processes hoping hopes get sector accounting like managerial type enjoyable persuade fashion better working larger finance company however helped enjoyment completing simple tasks simple going excel sheets categorizing expense satisfying done done wishy washiness fair degree accounting decembersion join milk crate taken offer solely accounting based rather mixed academically time management personally communication professionally future sisu darkhorse newly formed non profit helps students combat sports specialized training hosting competitions beginning charge marcheting helped company develop basis sisu marcheting researched sisu wants target target elements used marcheting campaigns social content photos videos production house transitioned content creation helped social content photos videos creative marcheting company involved social content capturing editing photos videos creating marcheting strategies sisu strengthen example better develop programs adobe photoshop premiere pro photoshop designed posters content company fundraisers premiere pro editing color grading project edited built becoming content creator elements marcheting better view marcheting works basic scalable helped business creative aspects need successful content creator marcheting specialist professionally correlates enter investment banking provided unparalelled deals due diligence process banking rare system source externally nevertheless intergal success securing time offer eminent investment bank basis granted opportunity train time management stress management abilities got pressure third worked kpmg audit intern university double accounting finance kpmg known top four accounting firms working leading correct helps goals requirements ever time hire need pursuing cpa license currently pursuing university accounting working helped accountant learned hours word requires profession kpmg helped truth chosen excited time kpmg prepared public accountant going looking guidance direct towards knew wanted accounting wanted audit public private exposed engagements kpmg better understanding obtain cpa audit associate public accounting going third final several goals mind accomplish months firstly wanted enhance networking social second experiences strong relationship young wanted companies business general livent expected going past several ceo livent paul graves mr graves questions got lifetime opportunity leaving meeting gained advice got takes top company addition business fully wanted accounting finance marcheting supply chain connect daily basis three yet fully need took accounting accounting got better understanding newfound respect accounting teams companies across accounting seems keep businesses afloat proper guidance future spending based past spending accounting advantage going forward professional goals step zone building communication quite shy usually talk anyone since communications required networking talking members reaching reporters daily basis kind like talking someone consistent basis took time get used pushed barriers members without overthinking trying get automation second automation system integration based focused ton software perfect complement got hardware automation got design load systems enjoyed like helping coworkers helping helped develop engineers rather alone remotely focusing singular projects learned got juggle projects kept toes balancing time future positions working greatly improved manufacturing automation systems engineering discipline works together products massive scale forward ends professional network company cycles interns every months network fairly quickly technical professional learning programs analyst future visualization tools power bi tableau could analyzing creating tools could analyze efficiently corporate business technology intern jnj allowed develop dashboard tableau easy access users enjoyed project got starting designing interactive dashboard satisfying learned power bi sample created dashboard helped tableau better worked closely questions comfortably got stuck creative dashboard project confident launch helped greatly future positions interested analyst technical analyst business analyst allowed individual communicate effectively coworkers showed capable accomplishing tasks business analyst like useful exploring social media advertising things bit softwares canva vyond buffer social accounts social posts useful marcheting showed basics professional looking posts explore imovie videos properly better advertising techniques professionally direction combine interests marcheting worked focused marcheting scope meant constantly analysis predict future trends direction agricultural scope join projects near cycle ready launch project beginning strategy needed decemberded enjoyed typical marcheting campaigns fuel decembersions applicable remainder coursework confident abilities strong reports cohesive format outside classroom looking fmc post grad told structure company looking departments interested pursuing originally relevant agricultural prior allowed familiar platforms software working habits carry step professional journey furthermore provided opportunism form connect professionals shared experiences advice development future entering develop familiarities secure successful allowing familiar necessary functions successful going forward allowed inter communicational office challenged maintain communication company facets allowing test communicate vast variety occasionally forced zone found allowed progress growth professional going forward foundation professional wish developing grateful opportunities appointed university clear questions direction wanted future opportunities example figure industries positions line professional goals kind dynamic surrounded image future impact positions eyes endless opportunities available professional goals helped align prioritize expand professional goals coming ecosystem key homes llc motivated better strive unexpected walking simple marchetable asset desired choice walking post accomplished key homes provided resources guidances marchetable asset desired retained exponential estate helped develop stature communicate time actually like learning going applicable future working months found fields interested going learned sales helped communicate better fellow employees helping ethic enough overwhelmed loved main global management get cpa working friendly working loved working memories like said working soon utilize tool gaining filling resume note worthy accomplishments experienced marcheting jobs used photoshop indesign employers looks marcheting communication wanted apart final social media channels write marcheting seeing processes together worked closely president develop branding documents line direction company social media management marcheting based culture company active helping elements together cycle address proactive realized time goes need top need get done instead waiting around expected reminded need top times superiors needing things left time wisely going zoom meetings helped need accountable every going someone asking helped like working instead setting prepared accountable without slacking got taste culture outside us like europe case wanted outside us certainly differences americans vs europeans helped goals quite thankful opportunity biggest professional get foot door like blow years pharmaceuticals companies rise covid average age population growing pharmaceutical professional aligned professionally establish self corporation broad years cfo changing drug happened approach control enough capital open textile facility city philadelphia citizens safe positive working contribute community positive accomplish professional allowed expand network approach larger successful corporation allowed professional goals continues business technology nothing without working behind scenes thus quality clarity communicate strived improve uphold soft skillset generally enough adapt subject matter content spot however begin branching reaching conveying confident message coming across precisely taking technical writing blatant simplified anybody attempts read technical guide edited written published every particular feature must documented ensure vigilant detail oriented accepted acceptance letter allan myers started successful company months burnt busy words describe bit waste accepted acceptance letter allan myers started successful company months burnt busy words describe bit waste accepted acceptance letter allan myers started successful company months burnt busy words describe bit waste allowed outside zone resulted confident result struggled communicate effectively around verbally listener struggled voice conversation obviously came surface couple months struggled zone realized enjoyed wanted ultimately fear aside began reaching office asking meetings found conversations forced tons practice using voice engage deep extensive conversations due conversations move past un comfortability speaking comparison conversation starting like talking completely longer second guess grown shell professionally casually without getting knot stomach thankful upon skillset move college going figure post worked customer service sales plumbing e commerce meat energy sector vast array home enjoyed daily basis like impact brought showing telecommunications sector sales realized actually interested fundamentals company invaluable things keep mind due pandemic closing doors instead focusing things found better done positions remotely seeing company handles granted sector harder attain goals academically professionally introduced businesses operate situations handle difficult situations president company explain lesson assigned perform better time finishing accounting degree successful completion degree working public accounting working hands working public accounting busy season engagements integral working related couple goals professional else improve professional characteristics space communicate internally externally working corporation helped internally company alliance marcheting partners externally clients corporations alliance marcheting partners largest dunkin since dunkin leading fast food chains country learned clear concise working charity events host promoting spring summer fall lineups simple every tasks professionally improved communication working alliance marcheting partners sports teams marchets across country working professional minor league teams business operates gained better understanding sports sales marcheting companies corporations promote faith styles business used uniquely across country reflect pay building resume mind pay interning learned working general intern mentor boss second wanted procurement procurement directly procurement process analyzing process allowed insights analyst wanted improve technical excel softwares could education helped improve excel allowed softwares like powerquery powerbi helped connections graduating college lined helps reduce stress opportunities building growth accounting transfer company takes shot eventually like branch businesses companies alongside degrees amazing kept toes diligence organizational multi tasking given projects week friday stress helped tremendously helped stage keeping toes prepared puts better get business analytic roles future completed pcs capital opportunity ways far enjoyable thus far rather stressful wanted balance stressed little worried liked could workload without stressing actually get degree actually precisely looking looking certainly completed available times tough sticking till seek rest rewarding balanced rest family business owners went business surrounded found knew perfect since business owner future helped like business missed beginning aspects business learned like preserving current relationships businesses developing growing business better since skipped uncertain incorrect steps starting business makes confident growing abilities handling like boss future marcheting systems healthcare interested since started months diverse skillset similarly past worked front marcheting better marcheting processes fully wherever related professional given opportunity train intern worked children hospital philadelphia terms involved cycle professional getting greater responsibility given opportunity train intern stepping stone towards boss providing opportunity shows trusts judgement ethic company pass someone else past pretty busy boss paternity left early baby came early tough premium returns needed sent states filing deadline internal problems going partners state local services let us chicken came home roost deadline filing making payments fast approaching assigned done going time reviewing returns nervous review process communication perform thoroughly enjoyed reviewing returns comparing returns prior looking calculations involved coming annual return caugustt mistakes certain state returns partner prepped us communicate penn mutual partner resolve issues returns catch peculiar fee historically paid states require insurance companies pay fee every agent representative state returns saw difference found comparison prior returns reviewed asked explanation partner found state require insurance company pay agent fees saved payment satisfied boss review returns future hopefully takeaways got recent mcmahon associates practice got conversing array backgrounds positions firms touring working variety sites sent met engineering firms construction contractors subcontractors met walks became imperative working relationships types quickly effectively goals outgoing speaking getting strangers professional often somewhat stifled unfamiliar social situations seeking improve time mcmahon associates frequently entering sites interacting sets frequently helped around met outside professional relationships transitioning genuine whereas positions inclined keep things strictly related personable open leads fluid genuine turn facilitate better working relationships learned got fend voice heard get acquisitions expanded scope little bit learned saw things time trying get somewhere im valued ambition professional pursuing making connections leaders banking finance connect heads presidents bank working keep touch graduating distant future leaders offer advice guidance helping goals president bank boss executive bank almost every week answered questions relating given answered questions finance banking general told things successful tried point connect keep head anymore learning waste could future stay contact professional somewhat difficult covid since enough impression stay contact wanted graduated least estate land fantastic wanted solidify references opportunity dougherty marchus millichap opportunities ever given grateful worked learned enormous estate grew goals introduction finance takes successful could potentially fail financial entry need moving forward habits translate changing third time second confidently decembersion marcheting enjoyed classes receiving offer marcheting government marchets retention independence blue cross solidified decembersion independence blue cross granted satisfaction ever favorite rewarding creative professionally given reassurance business independence blue cross explore creative curating brochures pamphlets newsletters sent members edited approved mailing proud longed incorporate creation courses independence blue cross allowed hands creating marcheting materials tools gained six months future endeavors business marcheting helped finance degree accounting degree finance interested prior accounting finance operations helped narrow exactly therefore finance operations reflected professional goals helped add ones chose helped future finance impacted positive turns goals future helped every grown began shy self doubting due negative left scared continued employers flourish move onto second third helped better learned get learned move ranks wish learned making money met incredibly passionate shown happiness ambition cam system get time time enough money financially stable showed capable forever grateful legal lines perfectly wanting law additionally exposed analytics manipulation introduced yet result moving forward like develop specifically finance plans law inclined mba instead jd mba due newly discovered consultancy related management classes attune technology professional get senior management preferably cfo fortunate enough direct access leader senior management top leader biggest financial income accounts working directly qualities leader essentially takes senior management stood incomparable ethic reinforced notion cutting corners excellence quality understanding aware date events regarding insurance informed decembersions final takeaway quick decembersions time constraints qualities develop hopefully towards senior management hopefully proud company wonderful growth finance professional previously held positions business development marcheting coincide finance opportunity corporate finance interworking money spent used business liked business management finance opportunity solidified allows analytical finance used wanted small company knew direct impact outcomes yet happier larger company like sanofi voice heard maybe things correlated larger companies departments roles spend time making right excel means receptive allocate better resources operational processes efficient efficiency vey company decemberded like professional larger company maybe learned smaller company far goals concerned realizing type company obviously goals interests time journey finance professional relative figure like rest areas business exposed step achieving learning aspects business future future double majoring business totally like either finance economics economics fascinating finance sought hunting dropping international business looking road plans match international business stay close home term travel travel free time future double majoring move situation double get college economics unexpected expect trying discussion skillful skillful opinion profession enjoys matter terrible economics profession need practice showed small company easy bosses control every office seemed bosses highway boss constantly yell employees short temper get short tone showed working times deal care future depth company like reviews online employees reviews could known like started public speaking talking got zone door door promoted brought leadership meant conduct room style training conduct interviews nervous talk hires practiced often got better better door door confident basically second friend public speaking woking realized confident public speaking opportunities age public speaking got international nigeria getting classes freshman realized goals every setting get employed employers private banking took brown brothers harriman reflection interested working private wealth management common country coming brown brothers carries investment strategies clients culture bank improve financial professional compared helped improve communication network individuals bank areas finance interested online due covid online minimal contact colleagues supervisors achieved goals needed professional graduating recommend brown brothers employer aspiring engage wanted company get understanding financial standing based reporting comes successful company numbers books management company heavily reliant numbers solid understanding properly outcome invaluable used pretty either professional originally architecture thought future years ago things struggling gpa ok mentally decembersion chose accounting since adapt working mentality learning could financial stable switched things started got happier began pursuing interests like finding watching films admiring art listening music obscure described yin yang balancing studies hobbies expect time came accounting jobs guidance ended working helped introduce working three bettering growing addition building network setting forward setting success future utilizing resources better getting ready contributed communication focal point distinguishing going accounting events network discussions recruiting sessions etc connect right guide working gt heard greats things since sophomore wanted gladly came true opportunity befitted greatly months received working entities engagements finding areas like nfp salt art organizations non profits meeting extraordinary helped guide sought contributing reason staying hoping leads things get credits hours cpa eligibility pursuing masters steps secure possibly happen giving remaining positive wanting gaining college meant learned thought wanted second pointed right direction like stretch form assist coming unsure wanted knew finance interested time knew working directly finance accounting wanted working macquarie opportunity get taste finance helping culture rhetoric expectations helped explore finance curiosity helping studies mis project management biggest came improve presentation creating public speaking abilities things nervous talking front matter prepared anxiety genuinely scared knew needed break graduated came third hoping couple weeks managers asked get let apart education finance practice public speaking presentation receptive little reason confident speaking front audiences allowed host monthly touchpoints business partners monthly basis stats collected answered given opportunity implement completely process training decembers finally business partners included managers directors leaders across jrd function icing top wonderful seriously thank allowing audiences without anxiety used working getting zone often retreat safe space allowed situations uncomfortable pushed became calling users get time example got zone typically like ideas resolve issue attack situation however option available sometimes get fly got zone asking questions workers might familiar often fear asking dumb question asking question questions confident asking worked confident abilities ways forced zone improve top professional gained achieved professional goals learning things areas familiar built upon pc learned network security things building upon learned related passion diversity equity inclusion dei time became involved national nonprofit organizations empower hispanic latinx community pictured performing arts found aspects interesting marcheting agency dedicated helping latinx businesses communities helped challenges building dei initiatives scratch difficult conversations managers employees entire framework guidelines drafted personally adjusted kimmel center times align setbacks covid opportunity draft dei toolkit international ticketing association annual conference held virtually toolkit provided basic guide performing arts centers institute dei initiatives unfortunately entire virtual due covid affected physically could done events programs activities local community philadelphia kimmel center staple city provides immense impact arts confident kimmel center resume begin physical journey dei confident starting marcheting agency gained honestly whatsoever awful third expressed wanted get headstart estate things showed type sadly could get vibe like online aside working anything accounting seems miserable accounting boring learned need least satisfied enough difficult menial boring tasks entire time certainly gone ringer estate awful second cancelled due covid third awful second amazing finally got property management estate found system diverse could finally nail type estate finally interested enjoyed closest professional variety fields supply chain management worked mainly management logistics planning teams certainly gaining variety familiar better jobs like search working chubb improved covid became harder stay motivated helped independent adaptable started boss office normally communicated skype webex teams easy adapting fully already used webex boss normally busy communications projects talk responsibilities main talk web reporting web questions designing webpage compare started double checking became reliable helped professional adaptable situations helped strengthen weakness helped like college enjoyed working cybersecurity working designing webpages options like college helps classes like professional wanted starting companies could aspects culture three companies worked small cyber security consulting company working development eight software developers working knew culture wanted time bounce ideas exida fault nature time writing code write second chubb insurance needed clarity wanted business immediately working entirely covid pandemic could coworkers exida working financial planning analytics opportunity stay technology working business company finally third similar second worked private investment company hamilton lane culture company worked asked questions rather technical questions teach technical teach stuck allowed offered time post decembersion offer allowed personally academically professionally importantly needed strengths corporate past couple years trying resume variety business positions future working desk sports continued keep time kept business opportunity involves sports inclined wanted communication business shy needed communicating courses lessons learned room business selling products enrolling financial accounts selling tickets sporting learning correct language lure potential clients vital communicate phone focussed technology business operations basis knowing programs salesforce tsm significant edge competition pcs retirement company allowed weeks fully salesforce system teach platform ways need familiarize future endeavors pcs retirement allowed refine professional areas zone totally wanted get corporate style wanted working finance covered fields learned like like learning finance necessarily working finance interesting reaffirmed belief like working smaller companies hamilton lane like number masses hundreds company impact ever significant impact could around company partly smaller company lessons took received offer pwc since completely aligns direction going accounting helps gaugust lacking needed improve fit efficiently provided expectations need time allows need rest allows scope professional goals adapt figure details process question times frankly waste time analyse granularly like enough enjoyed learned accounting word minimum brevity wants reports verbose nothing annoys schools need away minimum length requirements like hemingway baby shoes worn six words countless interpretations figure wanted future professional goals college offered time cool goals wanted impact like impact appreciated encouraging ways get feedback let challenges challenge got expand professional communication daily basis got interact levels need communicate members classes communicate professor professional since wanted helped solidify wanted since exposed aspects hr professional helped figure future wanted obtain time offer graduated enjoyed working pennoni opportunity time pursuing confident growing struggled speech impediment hindered communication led shy apprehensive worked speech therapist overcome impediment effects arriving determined enhance communicate tough accomplish considerable headway classes extracurricular activities time blackrock forced zone perform effectively need communicate effectively proactive instead waiting opportunities must actively seek could communication example reached direct supervisor contribute mosaic main investment platform global allocation uses projects wanted involved web development web development knew wanted articulate result worked projects ultimately enhanced platform adding esg metrics main screen uses web development communicated provided learning opportunity fact ever mosaic successful anything need confident thankfully let aspects experienced time helped time fields technology management paved must get track working company learned technology management must project assist better making else pace using scrum agile method project management keep together developing programming helps problem solving type thinking capability solve issue across working project anything learned difference becoming developer project handle situation time peers keep workload instead yelling attacking better entire boost productivity turn peer get right track wanted energy trying financial planning analysis got exposed things fp got projects belt like pursuing energy specifically fp working kpmg closer step achieving becoming certified public accountant cpa cpa advise assist individuals businesses financially reach financial goals working small company accountant directly executive director daily accountants importantly communicating accountants speaking company chief financial officer future future accounting like future kpmg januaryary starting time time studying cpa exam company infrastructure accounting involve interact departments like accounting learned move forward future impact professional goals focused building brand clients creating partnership creating posts social media pages huge professional sense brand continuing sports better sense highlight accomplishments via email phone improve activity social media talented clients helped towards brand goals ideas working towards ideas search top candidate learned already mediums highlight achievements bit writing resume cover letter answer questions finding clients decemberde route areas lists tasks completed focused brand engagement lives enjoyed working marcheting services need somewhere exact dreams learned pay attention details necessary patient things progress company treats employees factor applying jobs used excel frequently cycle like efficiently short cuts finer details formatting time consuming process directly goals went hoping reassure graduated shot securing right college helped accomplish thought becoming recruiter seeing successful interested success cycles already offered upon exciting tough times professional helped offered opportunity upon graduating searched third final wanted company challenge business joining merck supply chain planning execution accomplish professional enhancing presentation eventually land successful sales marcheting future need excellent communication presentation merck opportunity least times week updating analyzing u weekly actual sales versus forecast reports human health products vaccines sales analyses tier meetings sustain supply performance presenting audience size helped zone speaking front offered opportunity personally professionally enhance communication accomplished presenting weekly analyses meetings created discussion arise certain issues collaborate solve issues quickly efficiently coming wanted confirm legal wanted stay states law classes internships learned things professional connections benefit future learned culture legal london confirmed option stay states law grateful departments talk attorneys working specialties trying figure fit working clients attending hearings preparing letters helped get grasp like working procurement invoice pay analyst professional procurement invoice pay analyst oriented got trained utilizing sap tables transactions got used power bi combined tables together automate reports got basic dax formulas pivot tables dashboards interactive got queries reports sped time update reports allowed deeper insights found regard goals showed smaller company fmc global company procurement invoice pay analyst deals invoice every continent minus antarctica reason business problems demands sometimes workload consistent somedays found working later balance exactly done working defense hopefully project system engineer reliability connections upon entering three experiences reasoning behind broaden business potential interests like successfully accomplished wanted got satisfied went wanted consulting wanted graduating incredibly optimistic excited helped consulting required demanding profession fast paced challenged shell probably sciences short term currently senior majors regardless majors communication key aspects verbal oral presentation based helped define improve especiailly building relationships met face face continuing risks going things opportunities interested conginisant audience times reading writing speaking presenting applicable towards current classes presentation based marcheting presenting studies surveys excel documents international business law presenting cases advanced spanish presenting language essays oral presentations require understanding keeping mind audience showcase content related professional management project project management construction project particular pertains perfectly business engineering engineering concentration civil engineering adversity project dealing hardships companies control deal main contractor labor intensive miscellaneous activities site perseverance fighting summer heat tiredness future goals management future laborers company tasks senate builders site particular technical processes must completed scopes experienced past visual learner concrete pours excavation trenching backfilling removal utilities future entered morgan lewis eventually working time despite carrying business background wanted legal main aspiration depart undergraduate attend law soon transition becoming attorney time decembersion fully areas concentrations wanted dedicate shoes thought process behind morgan lewis essentially comprehension legal processes corporate placing around attorneys legal staff seasoned roles wanted diversification luckily case morgan lewis access interpreting documentation legal analysis fostered lasting relationships affirming served assist professional connecting indulge comprehensive learning setting assist professional development approach law entirety wonderful reinforces material classroom main takeaway walk away surely considering learning classroom test pursuing narrowing wanted graduating wanted decemberde direction financial reporting anything like investing related financial reporting helped strengthen investing helped move actual required fine exactly helped solidify decembersion sort investing came mind knew wanted came hopes variety fields industries potential paths could figure direction wanted wanted primarchly classwork gained little money management exposed concepts learned classes like economics accounting finance wanted prior applying someone knew mortgage little bit operates like interested wanted get hands family funding exposed topics listed point learned mortgage ties economy realized passionate found interesting led wanted soak could connections move forward confirmed departments helped get broad understanding goes loan addition connections develop personally project management pm goals financially knowlegeable financial statements sensible since taxes importance clear communication design professional future helps inspires philadelphia water debatably things happening every city educational informational graphics green stormwater infrastructure maps community outreach citizens philadelphia assistance programs need outreach underserved areas knowing responsibilities homeowners renters seeing impact city incredible strive impact like wherever takes lose sight passion design importance reaching art professional goals pursued time varying experiences particular experiences third liked envision similar things future wanted like small company company wanted like marcheting industries aimed combine passion marcheting analytical helped things scratch working corporation list addition opportunity skin care past experiences included technology finance banking higher education food beverage cpg agency sub like promote products hands average consumer moreover leverage analytical reporting projects aspects marcheting figure like like far favorite pursuing brand management cpg companies hit march surpassed march sound strange balance health health deteriorated due demands shift lifestyle due pandemic experienced health consequences result decemberded successful taking care simple someone considers pleaser said anything pushed boundaries result paid consequences relation health second practiced art saying reason without disrupting contract employer ambitious could potentially learned consequences mental physical health simply worth sacrifice perform taking care luckily second employer understanding seem like unusual response question someone suffered mental physical health issues taking care else live hurried culture often chances stop breath unless willing pay prove taking care worth due pleasant covid lockdowns working home helped get better routine schedule helps avoid potential pitfalls working home integrating house tasks workflow taking breaks necessary far productive sit introduced like obtaining cpa vast knowledges fields financial statements reflects goals success challenges left coworker difficult us projects efficient us went trial error learned mainly accountable business every helped network ton professional mock interviews helped interviews going forward looking investment banking roles since graduating coming semester time running short focused begin applying searching jobs upcoming months ahead alumni assist reach making progress resume helped somewhat giving connections employers allowing us get offer goals upcoming established halfway allowed leadership responsibility related assigned relevant working project management working directly customers coworkers development leadership regarding helped develop communication leadership knowing communicate time management looking get excel requires excel enjoyed helped bolster understanding inbound marcheting specifically digital platform digital marcheting undergone tremendous strides decemberde software allowed augustented reach integral teaching operate software allows us generate sales leads techniques ideologies reaching diverse audience wanted understanding consumer behavior read topics textbook capture business setting feeling example involvement social media efforts attract social engagement excited follower basis initially share internal articles centered around candidate responsibility found effective share articles speciality practice enterprise centered topics drove types content chose showcase linkedin platform hashtag buzzwords associated innovembertive technologies like machine based learning ai posts generated interaction average variance engagement depending time content type social platform analytical variables drove strategic social efforts alot complexity marcheting efforts progression marcheting professional continues retain lessons researching target deployment marcheting campaigns third introduced finance investment types helped types alternative investments working operations saw backend running funds making flowing smoothly trading details correct essential helped paying attention detail teams outside united states alone teams germany la etc opens communication interpersonal required succeed majoring marcheting biology hopes going medical device marcheting pharmaceutical marching working draeger allowed dream working medical device marcheting draeger get hands dream aspects marcheting worked social media projects management projects digital marcheting projects mailing projects launches opening warehouse directly sales furthered could capacity wanted sort opportunity anything intensive like introduction involved getting hubspot putting weekly monthly report weekly report blog website traffic montly report depth version weekly report types opportunities ultimately working making driven decembersions time right utilize enable develop going three opportunities industries roles allowed explore paths importantly type pursuing working consulting analyst accenture final realized exactly enjoyed looked utilize interpersonal communication communicate clients leadership project management positions drive driven projects activities enjoyed past six months opportunity facing opportunity fill project management personnel available bench opportunity initiative highlights entrusted allowed zone responsibility communicate advise leaders areas project initiative calls meetings moreover creativity approaching problems issues rewarding resolve issues advise leadership resolve issues lastly like highlight routine tasks every allowed activities based needs jump project liked kept feet allowed found experiences realized facing consulting type pursuing post accomplish professional goals identifying right working goldman soon began finance changing freshman hoped approach senior puts fantastic explore steps outside helped identify areas financial services goldman sachs dynamic lots overlap exposed things experienced anywhere else moving san francisco incredibly eye opening opportunity travel outside philadelphia highly recommend hmm else came intimidated worked primarchly expertise however stepping zone growth time went trust abilities grew allowing exposed variety interesting engaging daily basis realizing rambling answering question asked ok critically encouraged creative problem solving developing certainly satisfied improved upon almost every third cooperative education opportunity spend six months fmc corporation professional successful auditor internal controls fmc provided hands opportunities financial auditing previously internal audit chubb performing related testing liked therefore took opportunity fmc looking forward expanding auditing things done scoping attending walkthrough meetings modifying control books importantly executing controls activities examine auditing closer moreover time fmc trainings regard auditing expanding professional audit things learned usage analytics auditing process auditing beginning fact fmc correlates tasks entry auditor means fmc fact time auditor future fact fulfilled purpose cooperative education preparing us future professional setting importance enjoying strong engaging supportive supportive biggest difference uninteresting working looked paper completely grown communicate making non neogitical finding happiness improve analytics finance estate management development like analytics looking improve excel salesforce software seeing salesforce analytical leaning communicated goals concerns helped get projects goals got participate contribute launch salesforce platform planning development testing production maintenance got projects excel learnt formulas shortcuts macros excel master constantly improving changing left general given laid foundation analytics journey professional pursuing professional corporate easily adapt opportunities post third final like confident carrying initial cycle mentors company opportunities across areas business includes vendor management marcheting sales operations develop soft technical exercise needed successfully example management interact teams sales training quality assurance allowed practice communication public speaking functions marcheting sales operations allowed analytical technical includes excel sap salesforce assist analyzing invoices involved sum money showed handle tasks responsibility helped analyzing moving forward professional analyzing giving recommendation based minoring marcheting marcheting requires analyzing making recommendations based analysis professional marching company sports lessons main extensive topic better audience message delivering inter college office processes students clearer smoother includes tons regarding improve add better attend university going adapted areas understanding understanding marcheting starts process provided perfect marcheting knowing certain demographics target marchets exited got gained process inter college advising office helped ways showed processes better given like professional started terms looking working force feeling things leaving related educational professional getting lined wanted like interested kpmg direct public accounting positives negatives trough working clients members took succeed stuck extreme critical thinking required succeed almost every turn conducting audit problem solving critical thinking necessary process learned required succeed worked developing preforming appeared proven ad offered fulltime process finding college interested amazing needed right personally short time friends lifetime making coming every enjoyable growth future happen every exciting getting places amazing opening eyes cultures academically eyes communication theme park emails constantly sent aspects must respond swiftly professionally professional goals investment banking company looking applying accepted working investment company time helped certified thank worked closely enjoyment freshmen college started logistics company supply chain works pharma giants wanted get merck operate every prospective clients keep touch prospects meeting time persistence annoying however business need credibility willingness act situations comes key decembersions details growth professional general anything financial allowed working financial shown departments financial entail diverse wanted informed pjm works worked management got understanding membership works companies pjm working r e got understanding core pjm operates rely rely us wanted explore could improve efficiency automation got taste leaf little resistant trust enough changes wanted understandable pursuing making connections making connections classrooms somewhat trying connections older careers several could possibly carve future expand finance better money management learned seemed like language recalled learned classes communicate colleagues needed professional meaningful relationships workers nice teams worked nice connected time working talk kkr talk individually frequently like conversations nice relationships created meaningful keep touch looking healthcare products returning second time opportunity upon responsibilities door projects larger scope voice areas like develop leader supply chain earned credibility rotation continuing expand upon supply chain participating medical device projects earning additional certification management provides relevant pursuing serve project supply chain readiness line extension allowed responsibilities roles hold stage gate led early initiative project facilitate meetings key stakeholders suppliers project align scope objectives project combing several launches conducted understanding supply chain process grown tremendously experiences networking employees better understanding like confident prepared going forward looking opportunities expand supply chain process better facilitator teams leading personally self improvement believer continuously getting better improving thrown anything must adapt adaptability key component essentially adapt challenge challenge came learning acronyms comcast connecting departments together played learning curve steep began overcome tasks initially guidance came tasks shape form anyone holding hand process effectively giving guidance needed amazing stepping stone strengthen adaptability finance business analytics like schedule load mis like perfect fit essentially worlds business analytics heavy finance going recommend likes mis type schedule learned fp working global broader view company pharmaceutical experiences learning moving parts heavy r develop drugs cures fundamental future success showed every medicine shelf generic competition time time philadelphia inquirer experiences ever grown personally overcoming obstacles learning home meeting via zoom trying befriend via online learning ins outs softwares used digital marcheting obviously allowed tremendously professional manner marcheting digital analytic thought dip toes ins outs digital analytics thus allowing skillset marcheting academically es ps grown applied academically already started learning professional learning software transitioning company software learned transition softwares softwares pleasure communicating problems arised independent supervisor office learned scratch surface however company transitioning longer available wanted finance wanted sf office pwm networked worked communicated effectively learned deeper understanding fa reassured financial analyst investment management helped future bank reconciliations realized liked analyzing numbers seeing errors kind akin auditing accounting short kind pushed explore auditing starting auditing college since freshman wanted company related commodities therefore either commodity trading company mining company applied gold mining company tajikistan got zarink llc company fascinating learning process included visiting exploration sites working forecasting financials actual gold allowed taking initiative assignments utilizing platforms operations get worried wont navigate softwares dedicated enough time functions bms trading platform used stanpoint trades deal transacted executed professional goals leverage creative future pursuing digital media minor graphic design animation video editing etc allowed learned classes professional setting improve upon employer process rebranding assets almost creative control projects worked created portion assets brand launching learned criticism edit efficiently design prepared typical turnarounds creative projects professionally helped feet example needed edit short video ad incorporate text animations solely premiere pro done animations effects deadline video close time animations septemberrate quickly online tutorials certain effects premiere get professional employer wanted plenty finished projects assets portfolio design stay design social media copywriting marcheting highly likely design professionally wanted smarch cities fortunately project tangent favorite project worked rfi smarch city infrastructure richmond va worked directly esi principals outside collect compiled document opportunity assist reveal esi thought leadership arm center future cities lastly enjoyed drafting editing blog posts showcase passion smarch cities post cities inclusive biggest professional goals improve past coops unsure things correctly second guessed tasks given handle could questions responsible getting done direct control tasks helped importance motivated fast get tasks picked things quickly became confident putting proud responsive pointed errors helped could get right second time carry parts like academics projects often get unconfident confident confident share mistakes errors workload helped less afraid getting things wrong required reconciling comparing consulting auditing later professional pursuing time technical non technical necessary highly marchetable applying jobs specifically like project based incorporates technical soft project based responsible designing automating spend tool used monthly reports going forward design tool entirely vba code working closely upper management using tool presentation design got project finish kind helped project based future interviews reference project example project opportunity technical ablet enhance excel vba code tried presenting easily digestible format heavy provided clear examples used acquired time professional excel extensively future time workforce used excel functions regular basis boosted involved projects turned entirely expected intended incredibly grateful opportunity proved invaluable lesson resilience third final cycle actually began company called marchus millichap commercial estate brokerage paper looked like perfect opportunity witness alternative commercial estate business since second kroll bond rating agency introduced likes commercial estate complexities vastly traditional residential estate involved said time marchus millichap evidently short lived culture intolerable eyes unprofessional endorsed frat like culture brokerage firms informality lack consideration disrespected expendable fortunately expedite transition company since ended terms employer kroll bond rating agency regain remotely given second time around supervisor offered permitted cmbs maintaining substantial duties second time around fantastic proved difficult anticipated due lack discipline workspace imagined space every single draining exhausting times however admit third final entire appreciative opportunities resilient related professional enough told like charge sometimes choice proactive supervisors noticed promoted tend charge target bigger setting goals better projects project management hands future experiences allowed sharpen technical move forward conducting policy aim policy manipulate working consistently numbers increased understanding software coming proactive maintaining constant communication peers colleagues supervisors super professional practice independent tasks naturally however proactive becomes natural pursuing healthcare management track management dsg working pharmaceutical company hospital like hoped get directly creating clinical trial databases clinical trial systems write patient office office visits got directly kinds planning goes creating systems used kinds jobs future drawbacks company incredible professional passion photography aspects creative business could happen since experiences exactly qualities wanted jpg get round working learned significant photo techniques gear helped certain shoots besides going onto shoots worked marcheting helped competitors starting prices categories weddings engagements portraits competitors nearby counties entire pennsylvania state type regards jpg helped saturated photo video business companies like jpg keep competitors keep loyalty shoots understood jpg kept consistent positive reviews regardless type shoot stayed professional fun process making subject time feels confident skin seeing unfold helped appreciate beauty photo video capture jpg helped figure validate photo video get zone sent senior executives emails quarterbacked projects regarding helped immensely culture grateful got online firms normal like prepared gotten opportunity expand communication face face phone zoom professional network individuals finance industries met smarch open minded professionals glenmede scared questions meetings discussions learning private equity wealth management stock probably learned time learning finance terminology structure financial system coworkers glenmede shared layers structures finance piecing together info connecting dots better discussions questions continuously complicated fascinating nature finance working remotely helped affirm college accounting finance similar fields wanted accountants businesses thought interesting worked things worked heard learned anew system called oracle could paths learned professional learned mortgage could future gained larger network inquire certifications earn someday members finance aligns goals learned backend things behind scenes finance background assisted sec fillings super cool makes finance round super cool interesting close actually assisted goes informative close grown professional learned communication top things increased network connections second connections super useful liked money funds economics investing like finance jobs understanding monetary fiscal policies fed policies academically helped macroeconomic usa personally rounded professionally sql daily useful applying project management positions time professional appreciated technical things working basic levels talk network allowed write extensive memos companies get reviewed edited ultimately submitted ceo cio investment committee approval funding perform meaningful tasks significant company responsibilities get reviewed seen employees significant interested working sales older little bit selling wanted seem basic bland reason get time comcast exactly learned types marcheting strategies actual results learned websites software learned communicate senior vice presidents business owners grateful investment financial services specifically asset allocation learned digest quickly changing insights potential opportunities stand aspire financial services process taking raw turning investment tied decembersion prove crucial instrumental laying foundation music post eyes opportunities available initial towards improve communication started remotely quite challenging get used workflow mentor helped guide understanding aid spend time answer questions teams meeting started initiatives reach questions tasks projects communication improved quality wanted office type company corporate setting wanted like ho like turns enjoyed supervisor boss daily basis got ins outs processes joining company future learned useful things future ethics dynamics fostered collaborative supportive atmosphere virtual seamless energy contagious naturally resonated professional goals time encouraging appreciated meeting exceeding goals working together accommodate issues individuals experiencing point time switched operations supply chain management started entailed decemberded like chief operations officer fortune company afforded amazing opportunity company second twenty years old became superintendent million dollar incredible opportunity better understanding entire construction works decemberded company third given tremendous opportunity responsibility better business professional things eighteen months done incredible setting hopefully chief operations officer going third develop excellent communication communication noticeable opposed like programming technology consultant regularly interacted teammates clients company executives addition evaluated regularly areas including relationships inclusiveness leadership helped enhance communication listening encouraging share thoughts openly things oftentimes lengthy meetings detailed notes later sent clients challenging spoke quickly mistakes could significant consequences interactions learned balance professional communication easy going attitude times professional situations tense led overly formal communication style relaxing focusing connecting overcome addition entirely virtual point check teammates regularly weekly touchpoints us connect tasks including potential ideas enhance project robotic process automations digital upskilling opportunities virtual communication completely communication times could camera easier moving forward equipped communicate effectively professional setting working virtually hybrid situation multi faceted marcheting professional helped develop creative content strategy rewarding privileged supportive three months found unconsciously applying things learned classes times questioned enough impact business classes came handy cases gained mainly soft classes ones classes taken far marcheting centered considering general requirements classes rather unconventional needed creative outlet assist successful insightful working working directly marcheting challenged get zone bridge gap time marcheting products working working mean suspend creative sometimes complex products services digestible got analytical mainly virtual analysis mastercard paynow competitive analysis projects improved formal communication projects worked apparent communication agencies became representative mastercard thought got second cancelled stuck learned insurance like entire reason industries figure like time college bank finance intern finance helped culture automatically got considered time months trying aspects several years leader model particular taken extra responsibility beginning unique curious anything whenever sometimes case like responsibility pass somebody else hired analyst july working teach business took pride found rewarding pass appreciated respected professionalism satisfied meeting time fmc aspects time management multitasking aim develop applied aspects self assured bold sometimes let fear judgement criticism get true self leads self doubt however third final pushed step zone tasks projects experiences navigating afraid reach questions anxious realized get opportunities willing right open going questions bad habit keeping things tried figure things questions point asking questions late pride nice bother times pride times latter bosses stressed asking questions whenever need running wheels kept pushing us training couple weeks habit trying figure things wasting time waste min trying figure instead messaging higher ups quickly months progress evaluated workers consensus three clients need asking questions meeting evaluation meetings explained reason asking questions frequently assured annoying bothering whenever asking questions serious meetings started asking questions frequently going future professional professional pursuing project management pm taking pm classes started interested allowed get hands pm deeply involved system integrations projects managed project progress using microsoft planner sprint meetings teams pmp exam opportunity allows hours towards requirements exam liked working macquarie working actual marcheting unlike past experiences since aligned marcheting business analytics majors learned classroom time university comes certainty far beneficial achieving remaining goals foundation future endeavors postgraduate dream music goals get certificate brand reputation management time trend responsible managing clients social media handles curating content engaging accounts hashtag geolocation similar artists outreach etc stimulate organic growth hands directly correlates certificate pushing step closer completing main goals left contemplating final contribute vision future eventually move los angeles music trend depth landscape narrowed aspirations either r coordinator digital marcher artist tour trend perfect taste unique opportunities await helping align goals remaining time professional improve analytics working finding meaningful insights presenting effective manner technical non technical audiences opportunity variety tasks consisted somewhat similar majority time required type solution problem hand situation like challenge basic top provided opportunities improve story telling findings analysis final project python script standardize addresses bunch techniques python get hand done bigger challenge non technical audience process provided opportunity improve presentation strategy adopted include pictures presentations concept conveyed visual interpretation challenging difficult convey concept code without showing code however based sharing output code connecting physical entity helps professional becoming better analyst convey thoughts audience effective term goals scientist financial services professional debate need successful scientist vary spectrum often jobs scientists given undergraduate students require master phd students higher degree belt therefore crucial scientist opens doors easier get actual jobs science summer summer paved worked summer intern involved financial analyzing identifying patterns learned useful like trend analyzing pattern recognition visualization storytelling scientists art storytelling easiest acquire anyone technical coding manipulation convey successfully non technical audience provided repeated opportunities story telling datasets working external clients besides learned grammer graphics complex subject science knowing represent using single graph using right visualization provided numerous opportunities visualize types things careful visualizing improved coding r useful science exposed aspects estate working closely higher ups company helped terms language used operate company ceo sit conversation inspired things bigger company connect got employers worked bigger company came company could wanted get better company could kind things teaches business classes lets get jobs experiences lern non profit space mission based profit company connections community like alt motive hand transforming community point contact community members applies professional goals succinct organized mentor providing feedback presentation looking summer project modeling photography direction rather messy meaning asked someone proposal tell theme wanted utilize color scheme wanted implement likely could need little nudging appropriate times handhold let working project presentation key knowing audience let need detail handhold approach instead creative topics weakness connect feedback project working allowed glimpse professional project management unfortunately leaving middle project get little taste however learned beforehand case quote comes mind failing preparing fail working complex process requires fair coordination establish working strategy weekly check quote project models photographers read practice educate works craft lincoln investment provided opportunity better understanding working financial like company mission statement motivated fun success statement brought realization meeting types making connections met brush reached lincoln friendly seemed becoming financial advisor thought currently starting point achieving studying securities essentials sie exam supervisor win stauffer inspired get telling steps needed advisor lincoln given tools need successful key given communicating questions without judgement taken huge step ready obstacle grateful chosen received helped helping strive allowed professional relationships land time upon reason coming college grateful benefitted experienced workers staying time pretty college lined successful mid sized company anything investment banking anything investments understanding fund works essential banking organized wealthier understanding fund works beneficial future maybe fund operations analysis funds current assets fund holds office fund operations fund works transactions structure fund vendors fund stuff learned stuff beneficial working investment banking worked analytics technology loved boss amazing achieved goals time aramarch networked worked aramarch met alumn could get future college aramarch networking got activities projects activities creating cost models business projects pipeline clients economics concept models used jobs far costing models scratch based scenarios project learning models predict cost reduction company strategically input cost time chosen experiences activities additional values creations means getting things done better effective manner experiences learned solve challenging situations leverage add times project crucial survival business sometimes need taking outside get done like consultant working deep consulting professional land consulting add business experiences useful getting diverse experiences industries far awesome spring summer goals include developing superior problem solver leader model like business already process thanks mentor employer things improved social interpersonal knew conversation business relationships opportunities note learned importance player encouraging playing certain matter crucial growth company attitude employer successful accomplishing goals second chubb final began finance get grasp operates far granted trust working projects effective closing processes going relationships company lucky enough relationships future working father family immigrated italy brothers sisters friends community finish maintaining jobs learning english allowed family save business restaurant called angelofs ethic determination pays need supported helped us working father restaurant helped effort father staff basis business classes solve problems working angelofs helped figure graduating college dreamt working goldman sachs beyond expectations wanted higher regards interacting professionals networking goldman helped finance similar ignites passion boss leadership pushes drive beginning charge brand toofaced toofaced went sole responsibility empowered nice fix broken system far receiving came busiest gets due thanksgiving black friday christmas yet impact consistently given better opportunities supervisor chris saw decembersion discouraged fan yet started overseeing dock padc alongside supervisor soon realized could kill anywhere building leading getting done quite frank drive stronger ever actually extended estee due forward future leading greatness allowed expand professional network academics professional allowed socialize get workers showed independent came completing tasks assigned week independent knew needed assistance workers managers assist future corporate lawyer greatly helped got like company got responsibility managing certain workpapers directly related auditing companies rewarding phenomenal rewarding exposed corporates finance learned finance calendar activities performed roles responsibilities roles included heor functions public advocacy access competitive intelligence merger acquisitions like upon helped opportunities guided mentors time helped advice assistance time working shield regional finance committee rewarding presentation allowed time reflect accomplished working time senior forward seeing steps completing minors need professional business analytics interested learned finance planning analysis fp minor business analytics seems like endeavor valued basic understanding accounting future going several potential paths interested learning including paths investment estate estate lenders investors perspectives strengthen abilities analyst learning keep asking questions learning effectively communicate answers writing verbally meetings writing weakness continuously writing reports getting feedback reading reports written improved writing drastically remainder time professional improve writing abilities estate adding several estate courses stood travel memphis septemberrate occasions travelled fact without travelling actual site funny eye opening taken flight outside state years ago appreciated valued intern eye opening operations worked outside daily processes screen often hear complaints warehouse understaffed operations moving slow general saw problem gained clarity fix connections memphis cool joining livent procurement fully business since procurement broad business fully explain however span months working needed succeed working procurement impact company communicate every negotiate adjust pricing material allowed projects similar time analysis working share managers load working projects helped anyone interested project management works perfect requires working departments teams projects trying aspects like get get project management civil engineering worked closely supervisor project managing project avoid project successful civil engineering goals better studying state helped state returns subsidiaries process get hands researching understanding necessary steps filling return states leader confident giving directions pushing self starter naturally assume direction whatever however fine line offering empty encouragement actually advance overbearing tend shy away giving critical advice fear seen harsh time ap brand learned middle ground offering critiques brings teammates example produce video reel clients pitches brands reviewing video perfect said yeah like knew worked obviously constructive hurt presented boss obvious errors sloppiness video learned leading meant stepped slowed process scrutinized every detail video moving chain months implemented strategy offered polite constructive critique brought teammates learned offering direction absolutely necessary practice attention detail need harsh offering suggestions found friendly positive leadership style ensuring puts certainly going forward every project beyond primarch professional goals experiences develop communication growing professional network recent jpmorgan progress advance variety means found particularly impressive connected fellow employees company time jpmorgan progress achieving numerous opportunities interact coworkers departments vice presidents fellow students opportunities offered company proud instances reached members adjacent teams specifically initiated contact several individuals paths time offerings post get incredibly advice direction helped begin shape time communicate develop network found instances reaching contact incredibly impactful opportunities presented connections coworkers opportunities advance progress towards due opportunities presented company professional connecting fellow coworkers getting responsibilities company numerous opportunities converse employees encouraged friendly approachable got talk meals beverage sales finance impacts company campbells onboarding events interns network took advantage went events interacted interns decembersion entrepreneurship entrepreneurial pursuits decembersion peak pandemic getting laid jobs future instability regular jobs decemberded bold company fall get stable catastrophic happens like pandemic company fall stream income wanted college less responsibilities faculty students university believed graduated bootstrap business less university frightened stable business beginning journey worked consultant helped tremendously pivot business scalable efficient helped cpg point asked equity believed could drive better became dependent knowledgeable companies shelves foods decemberded equity send additional helping local superstar get local store shelves decembersion knew could get stores faster less decembersion making business close heart situation built self abilities focused branding distribution front platforms produce partnership packaging supplier supply packaging warehouse deliver stable website consumers shop focused auditing handling billing excellent verify assurances gaining hands cost accounting maintained invoices performed basic manipulation pivot tables city cleaning exposed forensic aspects auditing individual contract required pulling physical file rummaging pay app time material ticket verifying folder totaled reflected general ledger quickbooks tested attention detail requiring verification occurrence accuracy assertions addition method demonstrated desire yield tangible results efforts example trade contractor issued subcontracts city cleaning site accordance budget project originally post construction cleaning floor hospital city cleaning awarded floors septemberrate contracts issued unfortunately simple oversight contract administration proposals led retainage billed project following accounts receivable discovered open balance submitted period regard goals applying gaap principles positive difference cash flow indeed fulfilled tasks duties held billing helped decembersion making improve upon communication decembersion making perhaps component supervisor activities plays planning process supervisors decemberde matters goals organisation resources perform required communicate effectively clients colleagues managers essential whatever sector communication improves teams inspires performance enhances culture communication essential accurately quickly contrast poor communication frequent misunderstanding frustration main executive management marcheting four allowed hone better managing varying tasks concurrently professional pursuing companies personally spent time looking company fit chose carefully could company upon receiving degree luckily done companies asked ditto exact pursuing enjoyed mentioned previously directly related eyes degree company worked supportive encouraging ceo deeply cared workers mental physical health personally professionally met company passionate wellness workers quality working analyst allowed personally academically professionally months goldman sachs economy financial literacy workload analyst gather material topics clients potentially interested allowed read materials regarding sub sectors articles regarding projections asset projected reading articles allowed financial terms familiar ever seen get reading papers versed financial terms health economy portion project going economy gather financial analyst working project topics current health economy learning comprehensible lastly goldman allowed professional professional network faces relationship analyst advisors university gives students opportunity fit corporate biggest coming fit academically professionally allowed things like vast array industries working city philadelphia private investment management aside industries lay roles special finally experiences students opportunities time found niche corporate taken strides trying right fit opportunity past interested proud land peak covid wanted transition norm due projects exposed knowing got things expand cultures trying electricity like get electricity cleanest cheapest electric business old difficult pass proper saving customer like business self radical since past years electric system changed result sector industries thought sort trial test period test paths jobs college less risk available opposed guess helped bit nonprofit related however little allowed like realized completing third final could averse kind must helped communication communication sought improve regular daily meetings meant figure communicate done confusions questions everyday helped get better found address worked texts whenever confused previously achievement accomplishment improve communication blueprint company steps entrepreneurial process digital tools needed de risk process explored e commerce business like small newer company needed strategic view insights supply chain investments fundraising marcheting running online store finally launch online marcheting comcast professional wanted network company communication goals comcast meaningful connections leverage learned carry networking conversations effectively comfortably conversations helped figure marcheting concluded like branding agency post college working communication goals allowed interested branding advertising knew need communication graduated additionally public relations minor plus goals pursuing coops healthcare startup company wanted point view could better narrow specifically purse marcheting achieved figured like brand analyst brand strategist positions agencies house luckily get brand form comcast due flexibility manger let teams internal marcheting operations business analytics wanted given problem develop solution certainly given opportunity times time company talked issue happening sent parameters mind let loose issue type open ended problem solving develop style came things like example told supervisor interested getting monthly report updating terms reaching sales goals given type info wanted template similar reports formatted wanted ended automating process interesting things like rounds review revision fully implemented process wanted proficient working improve little things efficient things wanted degree getting collaborate ba construct reports dashboard power bi collaborate ba showcase power bi demo assist power bi teacher teaching power bi classes offline online classes review collaborate documents power bi training content assist update power bi documents training content blogs power bi vietnam collaborate contributors record videos teach share power bi facebook assist collaborate streaming videos power bi facebook opportunity teach time time classes online offline opportunity participate projects corporates opportunity deeply technical soft entrepreneurial flat structure collaborate supported technology enrich portfolio resume professional profile directly chief executive officer service excellent written verbal communication presentation analytical critical thinking problem solving abilities strong adaptability capacity fast paced environments depth understanding organizational flow management decembersion making professional business analyst tech company saptha innovembertions tech startup gained company functions majoring engineering business helps sides tech company improve communication professional reduce time spend remedial tasks seek automate improve aspects streamline access need thoughtful decembersions ahead future avoid conflicts potential problem areas encounter helps alleviate small stresses time add profound impact developed smarch home alleviate common everyday tasks roommates encounter project allowed professional applying programming technology project offers satisfaction tangible benefit jpmorgan programming techniques database structures employed managing statistics health smarch home project deployed user interface accessible via web hosted server control devices helps track devices entities moving around works automate certain sequences events employing similar methods triggers ones used accomplish related automations techniques things learned automation based carry forward everyday automations developed integrated lifestyle learned things seem eventually reason access incredible resources things difficult finding time sitting getting done better time goals better understanding management private wealth management helped acclimate processes behind doors ensure satisfaction success business opportunity portfolio reviews powerpoint decembers collect necessary review materials needed conduct reviews perform portfolio analysis private wealth advisor fortunate prospecting onboarding processes worked operations maintaining onboarding ensuring smooth transition prospect key establishing relationship accountability reputation additionally came becoming financial marchets learning could pick brains leading professionals witnessed perspectives insights financial better sense key implications evaluating state economy goals necessary like communication working self assessment disappointment despite slow beginning frontline perfect reach inquiries matters concern reconcile issues fp processes finance got hands learnt software completely effective power bi adaptive microsoft officeconnect goals copywriting advertising learning write copy things developing need advertising offered got working rsm beneficial academically professionally working capstone project eye opening showed management consulting project consisted us identifying problems company providing solutions revenue company global brand company subway figure prevalent problem occurring using microsoft excel microsoft power point together presentation highlighting subway main issues came solutions prevent subway close stores instead expand globally managing project working financials solidified desire consulting met welcoming recruiter fellow interns respectful right home rsm develop professional relationships learned regulatory process contractors banks monitoring ensuring certain quality construction projects future since already contracting company wish given complex assignments company honored wfh policy said going marcheting learned tells scientific decembersions suitable however companies small companies classroom time attract customers words becomes particularly however due lack logic local language interpret learned useful larger company future offer wonderful working culture radian eyer corporate willing succeed contributes professional working softwares could adapt wise learned sql visio tableau access assignments produce quality came looking answers like double fairly disparate fields finance management systems decemberding wanted somewhere teach tailored towards majors like accomplish analytics strategy comcast business responsible forecast budget caters finance background analytics serves management systems regards projects thoroughly certain necessarily abstract projects rather given clear vision outcome helping stakeholder get desired outcome perspective grown individual terms usually shy intern jobs however meetings ready break ice introduce answer questions grateful managers helped reach point professionally clarity like degree right company special shoutout folks comcast business forget equity provided opportunity exactly spent researching making recommendations investments company investing time rich projects utilization courses learned projects studying finance professional basic courses cover economics statistics accounting etc courses said applied content quickly content pursuit goals foundation contact company foundation capital seek promotion opportunities company get touch things levels firstly query sql mode generate extensive reporting sales company statistics potential bugs alarming trends goals process improvements helps strengthen analytical secondly opportunity investigating modifying ineffective partial crm database system collaborating solve issue quickly helped improve interpersonal tie together lacrosse business background combine strengths reflect helped business maintaining existing customers youth players families enjoyable fun gaining valubale lens seen professional pursuing could since match description someone planning working sports things seeing recruiting process learning collegiate athletics ivy league cool provides wide array management shows ins outs details making events happen franklin awesome perk building professional supervisor employees company helped foundation step enter force goals consist wanting investment banker bryant park opportunity closely juneor bankers managing directors treated entry analyst got investment banker looks like helped pursing professional investment banker opportunity sister company emerald park capital private equity invests cannabis means got buy sell investment every opportunity slide decembers clients investors developing reports newsletters companies prepared reports monthly opportunity pull comps ratios used presentations finance form valuation given tasks helped deals giving us moving parts investment banking developing contact lists organizing marcheting outreach strategies entering capital providers database tasks helped goals increase quality experiences pandemic hour week better modules like challenged second got taste like hour week forced times problems answer clear third final intend get challenging currently ia accomplish goals company marcheting public relations dream walt disney company main third college companies search could serve gateway time future deal grateful boss entire professionals staff ia opportunity ultimately learned deal networking interacting professionals schedule like time jobs college attuned could potentially saw enjoyed cycle harris saw settling consistent routines brought happiness creating goals aspirations reach towards future like striving understanding could economics degree fulfilled provided working company means rely get things done example sending invoices customers every morning meant receive money effect cash flow worked project took around months sense accomplishment marcheting university chosen digital marcheting following biggest working toward achieving working crm operations specialist learned key strategies targeting reach customers increase open rate brands since learning brand management classes liked working brands across fanatics fanatics marchies strategy merchandising vertical e commerce corporation found interesting opportunity fanatics offered opportunities across brands digital marcheting roles together access wealth certificates salesforce marcheting cloud arm certificates salesforce apart candidates grateful add resume fanatics asked biggest weakness answered yet output correct could boss supervisor interviewing assured opportunity face weakness every email brands longer question rely correct offer invaluable reach goals without looking non profit opportunity type non profit operates remaining time looking forward taking classes related non profit management schooling opportunity get feet wet likes cradles crayons looking learned working hands description says open marcheting majors like reality feels appropriate someone supply chain management operations said working warehouse seeing supply chain unfold helped broaden understanding kinds non profit case workers sitting office started knew wanted non profit sector ultimately fulfilled learned wanted terms organizational overhead communicating outside partners picked lots starting develop risk analysis opportunity participate processes aimed identify correct unnecessary risk numerous departments looked transmitted business partners outside suppliers thought particularly useful included technological element third party systems used integrated enterprise software performing analysis business meetings process owners discuss strengths weaknesses processes identify risks incredibly today business landscape achieved developing prior starting contributing already established lasting professional relationships coworkers opinion valued considered learned several methods bolstering cohesiveness despite requirement home better lacked factor greatly enjoyed engagements worked individuals connected forward continuing develop relationships progress direct operations front tested ways directly reporting contributing exploring paths network professionals colleagues contributed strengthened technical got actuarial science helps dominating helps better technology develops live scores brought little closer working mlb someday teams mlb league runs operations behind analyst scout researcher whoever game baseball like contribute intuition watch live game anyway helped closed gap fan professional mean view game fan paying attention small things time rewind game watching things every play things pieces teams assignment couple times week someone understands evaluate eyes wealth management financial advising known years wanted around stock hesitant wall street working retail introduced knew little short months learned could happily everyday working learning things avenues could confident pursuing biggest reason chose professional goals enrolling get hand graduating knew process time happen office professionals accounting invaluable gotten college learned past six months aspects accounting working pcom learned professionally including write resume interviews compose professional emails get hand allowed time spend working getting accounting graduating decemberde wanted rest imagine going college without finally begin realized accounting like allowed opportunity get forever grateful professional obtained satisfy crave creative silly seem time spent answering phone front desk office known hoping reach asked answer direct calls terrified confident earlier constantly worried mistake feared messing super hesitant result several occasions small mistakes learned mistakes crucial importantly learned approaching fearful situations timidness get anywhere time grown confident phone learned handle situation nearly nervous instead accepting fact mistakes inevitable opportunities asked assist front desk phone duties learned nearly process independence levels grown tremendously feat proud overcoming challenge shown capable step get head accept learning process grateful going wanted bigger company employees easy get feedback walking across hall time pandemic faced office could walk rather email someone problem peco working virtually helped peco hundreds helped like working corporation rather bigger smaller company keep mind aspects accounting determine wanted future took financial accounting accounting majors wanted like learned debit credit determine like financial accounting huge step towards becoming accountant learned classes lucky enough workers business like franchise future learned opening business learned public accounting narrow options accounting main goals focusing time discovering kind business post time classes helped helped improve problem solving allowed form exactly future granted financial looking category widely diverse past allowed get better areas could allowed time working relationship velocity realized talent sales going progresses going round looking options ones previously looking decembersion stay relationship velocity move things introduction sales little customer facing sales interesting factors necessary making occur since sales line reaches customer components marcheting development legal finances etc together ensure enough sell business entirely aware prior got helped better analyst none corporate lawyer learned leasing process contract terms vendor diligence fs investments compliance worked legal future lawyer working legal got hand takes contract business together amend contract terms consensus memos wrote required lawyer thinking cap necessary nothing missing erroneous vendor furthermore memos wrote strengthened write eloquently formal learned time future jobs learned communicate effectively timely manner digital marcheting specialty social media accounts company completely used opportunity loved opportunity connect accomplished journalists learning opportunity express topics freedom content meaningful lenfest wonderfully welcoming supportive working related pursing public speaking three projects speaking front crowd confident get nervous speaking front better related professional given marcheting professional marcheting company instance clothing company marcheting retail company like free urban outfitters example right direction working sports clothing company learned marcheting classes sports plus since sports clothes like marcheting dressier business compared sports clothes helped professional stay top things projects could get could limited time successfully constantly reaching asking could anything soon finish daily tasks professionally wanted greater network using opportunity staying touch working done remotely invictus wealth management related professional goals stepping stone investment exposed types things taken portfolio management invictus portfolio alot things given passion investing college interested pursuing project management form explore project management construction management beneficial seeing construction project allowed project using slowly picking worked company seeing professional project worked several budgets properties allowed brought changes company operates operate trades cycle completes pnl marchin helped goes trading working sig tech technology date pursuing degree finance business analytics perfect learned alot operations used alot software bloomberg excel future wanted fashion remember opportunity allowed could like favorite tried marcheting fashion space planning corporation got speciality wholesale small business rounded experiences excited buying space wanted process works familiar financial modeling done develop operating models predicting cash flow expenses calculating marchins incredible given companies improvements done smaller companies keeping track predicting future financial performance potentially entrepreneurial ambitions incredible working firms closely ins outs business view chemours helped rounded business professional marchetable company buy finance particularly private equity get private equity quite time traditional pe divisions investment operations investment charge sourcing evaluating deals chemours due diligence financial modeling financial statement analysis makes suitable investment relating coursework going taking classes develop modeling valuation operations charge providing ongoing financial strategic portfolio companies chemours supporting corporate segment serve finance business partner helping strategic decembersions understanding impact total company results addition procurement supply chain could strategic insights companies operations operations finance communicate professionals fields interact drive company competitive unique potentially broad corporate finance got time chemours sets serve analyst either operations investments private equity deal like current business studies figured health care specifically medicare learned deal motivated slightly unmotivated due fact second online due covid goals shifted personally academically gone current state got opportunity colorcon ceo cfo vice president president introduction meeting global finance around stories helped classes better grad types financial works get perform learned importance compliance company chubb realized compliance ultimately line defense valued chubb learned gained working compliance analyst related management systems business analytics gained technology ultimately future allowed company learned using excel professional pursuing expand business portfolio every business finance etc stretch comes making future decembersion pros cons certain aspects business raise gpa time finish allows academics courses need helped project management technology company network possibly achieved met greatest chubb got network wanted majoring supply chain management centered around supply chain fact distributions got goals needed hit successfully goals shipments got entire warehouse together shipments close orders professional pursuing networking completing minor business consulting working consulting third opportunity network individuals comcast outside comcast network business consultants successful consulting firms firms aspire allowed hear professionals experiences tips tricks consulting consulting better successful prepared going interviews business consulting courses material better going consulting courses therefore excited better understanding learning engaged discussions network individuals asked questions interests suggested staying touch future opportunities several years pre med wanted reach switched business marcheting direction changed willingly unwillingly step wanted entire agree pressure barely room things whatever eyes routine reach fix gaze onto pertained professional showed degree things limit adolescent adult pondering right went added graphic design minor little adobe creative suite professional goals improve competently effectively utilize software wanted photoshop indesign illustrator effectively indesign fun streamline processes learned applicable nice makeup business constant improvement departments thoroughly enjoyed trying invoice automation system procurement spent time figuring vendor cut time costs process spent time cutting time spent tasks personally could satisfied cycle provided dream open youth sports complex hometown presented benefits challenges managing venue sort owning managing sports complex challenging ways example projects cycle sort venues producing revenue company easy venues deal company asm global shown elements management company gets payments consumers charged amounts money attend entertainment events insurance alone building could cost hundreds thousands dollars recognized company needs collaborate often keep buildings running management consistently checks ensure buildings events running smoothly need financially ready fund building maintenance sports venue socially ready right ensure success easy buildings hold hundreds events per primarch functions business figure potential careers interested pursuing college veeva completed rotations center operations addition rotations worked finance accounting opportunity things allowed general opportunity company chop fit could working college prestigious hospital ranked opportunity quite like working company working office entrepreneurship innovembertion smaller members currently liked portion easy communicate together went goals fit finance technology innovembertion office entrepreneurship innovembertion fit basically meets medical innovembertors hospital listen ideas business kind like chop shark tank pretty eye opening learned takes business ground goes goals interested running business either boss sort huge number steps takes business goals professional ones reason enrolled professional experiences working somewhere time reflect left clearly defined goals wanted accountability responsibilities wanted ownership project worked mindset entered second paid responsibilities accountability ownership coming related started pharmaceuticals biotech logical step head thought working insurance company like independence blue cross ibx sense like health insurance pharmaceuticals similar premise terms mission providing care members patients customers answers entirely comply prompt kind shows figuring goals using rule things like rule things like takeaways learning hopefully eventually like tolerate attending closely professionals investment banking joined online beginning spent little time office meeting entire online calls difficult get relationship since began working free time relationship friends working together main wanted confident wanted interests however acquired done shown enjoyed things designing cooling systems modeling learning construction ultimately knowing physically created designed used millions brings excitement joy brought insights audit works translate potential consulting tech software sales enjoyed learning using technology everyday beneficial mix little technology beneficial opportunity pursuing slightly like get classes applied professional outside post college thought enjoyable helped narrow post pleased get type management leadership difficult management found grateful got add resume get future knew pursuing degree operations supply chain management told going explore layers supply chain three wanted better process interacts going time better identify areas likely graduating time rule particular areas working philadelphia orchestra products musicians rather tangible buy store found wanting consumer goods retail setting working musicians boring opposed found missing goods getting satisfaction seeing final stores related professional helping management systems technology allowed professional seen every troubleshoot problem hotline service physically repair chromebook repair chromebook better sense technology works fulfilled learning computers technology general whatever professionally knew chromebooks fixing students learning home reached hotline whenever anyone fix problem grateful appreciative like reached helping knew problem fixed challenging abilities pushing used tp worked franchises could correctly sanofi pharma global company goals interested travel got finance leaders chile paris japan across parts europe north america allowed connect coes regions streamlined submit read universally required learned accounting classes intro mis classes saw past cycle opportunity initial affected covid pandemic expanded skillset deep dive corporate comcast business shame fully comcast easy get involved stat connected peers virtual offering professional development events networking breakout rooms encouraging schedule greets comcast employees office us homes corporate expand technical pushed proficient excel experiences using salesforce tableau amongst systems used online systems daily auditing reporting better sales reps efficiency customer polished presenting sharing findings regional division heads several times cycle wanted three opportunities types narrow like small business comprised ten employees second national massive corporation experiences equally hoping financial analyst going taking courses relevant including public finance finance courses allowed critical parts endeavor financial advisors financial analysts comes wealth management allowed get depth view system works wanted line dad wealth management quite time working lpl financial allowed right indeed allowed apart processes financial advisors clients sit meeting clients listened phone calls financial analysts got concepts behind analyzing risk tolerance certain going going professional goals used time remotely someone remotely prepared like completely virtually around students decemberded get coworkers better term safely together campus proper social distance confidently successfully remotely shown businesses operate without normal office learned self sufficient self reliant due nature blessing sometimes tough learned hold things remotely address problems concerns someone soon going marcheting international business legal studies wanted blend subjects together classes conversations employees hand experiences learned direction learning started working early impression officially started stable stable pay unfortunately case quickly became dissatisfied interested marcheting opportunity hands professional works interested hiring amazing security financial services advising boutique could years graduating gaining choosing exposed working corporate setting looks like workings compliance controls get business sports get successful lack better suited fall winter allowed depth outlook commercial estate works activities relationships formed simple cold leads deal closed learning talk phone deal negative clients beneficial social experienced aside estate license already estate terms processes came naturally helped narrow little hesitant commitment catered interns aspiring commerical estate agents sales thought wanted however highly considering positions finalize estate development investment acquisitions caugustt eye speaking successful phone daily planning search grateful opportunity got marchus millichap commerical estate works private wealth management courses teach students vocab equations etc us soft needed navigate professional working front office forces social communicative public speaking soft private wealth management talk clients sell services got learned attract clients confident excited improving currently pursuing time gaining effective communication working virtually difficult excellent opportunity collaborate worked levels business financial offices communicate respectfully networking presented giving amazing experiences meeting looked entire automotive passion cars means anything giving could building relationships favorite like engineering profession anymore tried sadoy opportunity business things rather engineering absolutely correlates writing excel formulas creating spreadsheets simplify determine easily challenged functions excel perform actions excel preferred profession coach soccer highest excel crunch numbers shows favorable outcomes certain situations figure ways exploit statistical advantages profession coaching excel useful every setting gained excel showcase abilities office interviews future aspiration office setting possibility extensive excel things table understanding sustainable peace products thrived since little boy fascination things improve state dedicated making companies sustainability route quite amazing ambition marcheter helped given creative freedom products since missed comcast due cancelling students jobs loss bolster professional get alter match professional goals since double majoring accounting mis allowed technical aspects audit biggest professional pursuing fact open company soon working seeing works interesting insightful times learned problems could rise thought learned tech business future learning read write legally binding contract parties classroom learning test working accepting hardworking gets done personally thrive balance reality understanding pursuing allows control watched time allowed responsibility develop held grew software known eyes companies similar ways somewhere similar professional goals communicative open little bit considering wanted talk somebody email setup meeting quick chat hoping eventually move could get connections hands however adapt like else get used adjusting schedules works office time zone adjustment learning adapt entirely culture gained personally enjoyed communications join sales calls meetings conferences luncheons opportunity practice learned opportunity network colleagues several aspects working accounts payable procurement services related professional goals learned working procurement services taking helped future ways goals attending advantage figure kind future like future like working procurement services past six months given better like enter workforce working procurement services participate operations university learned acquires goods services function taking procurement process given better like professional setting past given better like future beneficial relation professional goals created specifically livent allowed progress professional working analytical international company blend majors international business business analytics opportunity ways collect analyze seen vast improvement example spent time working excel learned techniques organize formulas future endeavors organizational better analyze compare contrast certain forecasts better business decembersions used seen improvement analytical related professional opportunity communicate colleagues livent branches around treasury professional relationships increasing communication analytical basically realized corporate past corporations whose products message supporting particular meaningful impact society positive makes progress towards positive working insurance shown capitalism failed society quieter ways encouraged hopefully difference society political analyst pursuance application custom design combines global studies political science management systems analytics background history politics asset today political climate influence legislation analytics contribute improving society hopefully progress encourages tangible actionable politics shown talents lie encouraged analytics difference opposed feed capitalistic nature society comes unspoken expectation cause least inconvenience whoever serving completed genuinely professional fact prompted completely disillusioned corporations capitalistic entities general propensity thrive suffering realized longer businesses like unfortunately latter half reinforced excel capabilities developed classes figure interests marcheting since crucial knowing positions actually social media marcheting digital marcheting direction interested completing similar exposed systems platforms introduced communications marcheting professional working established corporation highly knowledgeable aspects since second essentially continuation arkema already established chemical manufacturing r facility nationally globally due fact already given working type like companies opportunity aside factors opportunity projects varied widely across procurement type opportunity tremendously procurement company dealt providing buyer logistics analyzing amounts spend learned biggest suppliers customers performing quarter quarter transitioning second business unit procurement dealt primarchly managing company travel software travel strategic outsourcing analyzing baskets due opportunity things like national managers preferred strategic suppliers attend travel oriented webinars btn project determining supplier based current trends opportunities exposed aspects procurement purchasing strongly supported widely knowledgeable professional strong foundation future time digital marcheting space allowed email deployment inside email marcheting works entering digital marcheting space gained salesforce marcheting cloud tool marcheting salesforce access courses could improve existing relevant goals education finance business passionate discover confirmed excited investment banking private equity going forward trying figure sporttrade helped guide define kind opportunities workforce getting seeing liked foundation rest professional communcating challeneged every communicating tenants times phone ring answer prefer read messages respond answer message reffered case discrepancies ever arose reason picking pretty bad responding spot times picked gone however times familiar verbage answer like prepared anything realized started coming small nimble tech company juxtaposition comcast intriguing came finding productive since less knew wanted comcast expected coming worked familiar small company reported leadership worked teams autonomy came approached solved challenges comcast unique smaller close worked daily opportunity reach teams get taste variety experiences driven decembersion technical aspects mis upcoming quarter opportunity reach hands business comcast learned comcast ciright search process subsequent like larger company better fit point professional comcast showed seo showed quality working enjoys jobs workers prioritize goals worked form online security integrated key card individuals companies therefore business technology cybersecurity competing companies similar products functions channel partners sellers purpose analyzing entered developing personas target sales addition development testing company apps development learned responsibilities company techniques gained website scrubbing analysis app testing development business insights aid rollout creating personas customers addition applying gained improve apps development understanding geography company sizes locations functions hierarchy competence pinpoint largest competitors potential buyers helps given regards developing adjusting business fit takeaway adept business operations adept business operations companies among industries consisted presentation presented upper management tied improving feeling public speaking project connect accounting vanguard heavily supported managers provided constructive criticism feedback increased presentation spent hours working tweaking presentation confident presenting display management opportunity zone presentation consisted relationship teams spoke reflection time vanguard helped better understanding departments vanguard getting hear hand informative asked questions management presentation improved adapt quickly critically maintaining professional attitude given exciting tasks putting excel sheets things actually exciting communications collections agency found uninteresting learned locations working miserable need thats network connections online meetings coworkers rare short patient dream helped navigate towards fulfilling deadlines attending meetings time completing given tasks assignments timely manner future successful hardworking individual things clear cut seem must stick intuition gut intern given due respect exciting challenging must willing risk counselor address issues concerns regarding employer duties found navigate stuck ethics completing given tasks submitting time supervisor appreciated polite respectful employer till trust description list type company came hoping achieved immensely sheer emails receive jargons greatly contributing makes qualified candidate future opportunities enjoyed second working company unfotanutely could covid looking wanted highly recommend professional okay get feet wet simple things time teammate meant difficult useful things professional helped smaller businesses compared larger established businesses working company decembersions top leaders bigger established businesses hardships small business learning benefits came smaller businesses learned bigger businesses relationships helped communicating learning small company tasked jobs rather sections section companies larger companies like working company like small company procceses vastly bigger companies learning professional working professional setting opportunity needed working somebody expectations need prioritize certain tasks difficult learning working home uphold professionalism attending meetings emailing employers get like dislike workforce achieved realized constantly contact linkedin schedule meetings sell platform clients learned dislike tedious working structure means thrown learned working someone enjoyable getting paid decemberntly fully company goals likely helping ceo goals helping away helped develop goals future developing achieved like expected without disappointed allowed get grasp larger company possibilities provides hold types titles fall supply chain description planning operations supply chain unsure finance third post looking get analytical recently added mathematics recent addition working towards completing mathematics degree main focuses since load math heavy going knew projects assisted analytical based learned math analysis classes like challenges posed analytical roles using problem solving solution fit fostered passion communications public relations chosen forward adding communication minor choosing public relations fox writing distributing press releases attorneys awards elevated higher joined among loved writing counted draft press releases distributed internally externally time progressed seeing fewer fewer revisions improved professional writing piece pr focused communications excited found public relations law future possibly working magazine beginning marcheting working toward apart writing better informed passions marcheting communications degree future headed passion interior design searching communications public relations interior design magazine appreciated couple strong connections future employers similar interests like get business private equity investment banking get ton hands makes confident almost step ahead comes applying similar positions gained employers several years learned steps shoes knowing expect handle arises serious learned going academically fact challenge handle challenge built going taking tough courses fall handle workload satisfied thankful opportunity forward utilizing connections gained future professional done thinking future improve looking employer entrepreneur business shown successful business small small businesses get enough credit working smaller business given talk interact higher questions get better understanding running business sometimes smaller businesses better bigger known ones shown like like atmosphere around atmosphere welcoming warm knew needed provided alone project picked given future working several jobs business given behave react customers analytical like time talk figure like like estate finance law marcheting professional pursuing develop better customer service going wanted speaking setting quickly became spoke customers clients beneficial carry learned professional positive college regardless customer service professional shy reserved talking given deal anxiety thank pushing constantly dealing communicating familiar gained helped everyday confidently phone professional setting future interested pursuing involves estate requires communication clients successful need somewhat customer service background deal thanks carry gained rest biggest goals going college professional working todays age hire anyone based degree personally like gaining application working hands rather standard sitting classroom wanted things classroom applied working accounting services showed professionalism excel tool anywhere excel mean basics talking going beyond explore fields accounting finance aware anything accounting exposed knew existed brings curiosity search fields exist subjects accounting finance importance accounting mess society without amounts money need allocated showed importance every little assigned eventually results bigger picture personally professional development balance sense community goals extent initially hoping since looking focused specifically marcheting get better regarding types tasks fit example learned liked culture hometown vietnam working creative working small close knit community particularly daily tasks management like avoid working agency inconsistent hours affected health balance apart allowed get exposed variety tasks fields business tasks get sense like diversify furthermore intern things scratch exciting entrusted responsibilities encouraged voice opinions discussions supportive helped boost utilize strengths recognize weaknesses professionally tremendous stepping stone journey pursuing passion estate estate finance second finance development estate exposed past directly development special projects helped solidify sector estate included working zoning issues project experiencing meeting government officials discuss property developments underwriting deals determine feasibility marchetplace working tasks showed responsibilities developer typical estate looking educated experienced done capitalize future courses senior future attending law likely estate law pennrose helped confirm desire attend law pursuing estate future estate addition academics future estate law given opportunity instagram post mockups small campaign winter break aids learning social media marcheting content creation like get content creation marcheting campaigns mainly social content creation content marcheting campaigns portfolio resume secure positions content creation social media marcheting every seek likes dislikes company fit accomplishing takes self awareness reflection attempt begin monitor progress eyes reality majority small kept relationships transactional care human resource money moving forward like willing coach better individual professional without going poorly showcasing reality completely fit appreciative provided learned professional immersed drama boundaries expectations bit corporate america thats wanted working conversational design intern desire enter software sap top list places international software company fortune list thought sap perfect someday seeing consultant sales solutions sap immediately applied saw steppingstone towards completing confidently sap amazing company consists intelligent getters willing young majoring translate get network company growth seen helped towards term pushing zone develop enabled meetings voice heard projects version ago courage receiving recognition workers given active meetings goals agency works paid search beneficial better understanding digital marcheting tools perform search ads wanted hit certain metric financially took wanted figure companies invest majority figured analyze companies effective investment opportunities metrics identify certain opportunities principles public companies certain technology companies businesses private equity firms buy business financial metrics certain point business valued higher sell business growing slowly tips invaluable lucky learned thesis metrics investment firms identify company learned professional maintaining professionalism representing company prospect experiences meetings led shadowed professionalism shined helped maintain reputation company mention version everyday helped define successful grateful opportunity gives successful helps stay track hit financial goals tasked helping projects surrounding development takes leader young professional things noticed needed helped learned methods better project learned programs like smarchsheets analyze responses analytics google forms completed official business report expand network virtual coffees mixers learned advocate actively listen stories journeys networking business okay vulnerable needs done speed expectations ones hinder rather promote growth learning opportunities perfectionism learned quickly saying yes saying development coming wanted assist projects quickly realized far projects used projects often roadmap get creative ambiguity challenging connecting projects making colleagues time quickly pick time bigger spaces learned importance supportive supervisor greatest challenges septemberora working remotely boss open tasks assigned helped tremendously ideas future projects wanted ears someone willing like flag development opportunities learned needed includes less analytics helped get banking wealth management technical learned example learned code zoho sales iq script aided understanding javascript worked fro someone coding background proved beneficial addition summarch involved complex functions excel future comes banking working smaller helped communication whenever miscommunications smaller significantly helped marcheting social media business helped branding brand image successful business spent time writing copies brands working social media platforms public speaking allowed improve presenting alternative investments topic didnt top improving public speaking verbally display understood prepared professional either traditional esports realized opportunity esports org could get close functions determined wanted determined finding given opportunity originally interested professional like wanted financial planner teach financial planning possibly need specifically professional mind growth incredibly due fact growing constantly standstill entry like like direct business makers charge like could legitimate future company room improve ever absolutely four brokers sold millions dollars property septemberrately direct boss derrick dougherty successful estate agents specifically commercial northeast incredibly proud young age given insane working continues college intangible aspects mention absolute blast helped things far recommend anyone pay huge concern wanted explore fields accounting auditor decemberde choice future learned auditing okay choice secluded interesting like related sit cpa exam counts hours worked eligibility sit professional pursuing finishing degree classes working audit audit classes get future paths track obtain cpa learned classroom helped assigning credentials sit exam acquiesce professional etiquette standards endemic sort corporate environments wanted refreshing despite lack trusted early scale projects critical additionally cool involved entirely found loving prospect learning chemicals agricultural depth inside understanding produce livestreams production sporting events fit higher develop understanding apart helped professional marcheting accounting get hands seeing actually like line completely completely bit open options helped frequently used business careers networking customer relationships limited covid pandemic benefitted working business office setting getting hands trying necessary prerequisites sit cpa exam pennsylvania initially came spoke advisor created monitor coursework keep moving pace learned cpa exam adjustments accommodate credits required cpe credits need sit cpa exam required thought planning like creating towards future addition talk someone becker better understanding process studying taking cpa exam given glimpse professional could like cpa working corporate like talk handful individuals hear journeys steps could avoid mistakes accounting professional get cpa helps bdo public accounting firms accountants firms helps accounting collaboration problem solving challenging creative results none everyday auto pilot anything orders system opinion anywhere else talk customers improve aware need desirable candidate pursuing growing financial terminology opportunity read reports investment firms risk reports generated portfolio reports pick terms seen looking critical since required got terms used discussing marchets example basis points used percentages wished larger background finance must terminology helps quicker efficiently helps models beyond goals explore aspects business majors finance economics actual like classroom might like learning subject might translate thus three span five years explore anything could term actually coincides image expectations related finance accounting chose completely business analytics business orientated getting perspective getting longer looking balance sheets submitting financial reports learned like analytical particular term thus achieved getting type analytics keep steady routine wake time wanted threw away steady routine kept routine past months keep routine everyday keeps busy routine essential ones therefore im away obtain business writing communication sound trivial nature probably rather simple aspiring lawyer verbal written communication vital success starting young age essays typically prescribed regards word count formatting guidelines yet guidelines deeply rooted irrelevant often unnecessary said understanding instead fluffing emails content making communication concise useful develop span future rest courses pull pertinent variety sources effectively summarchze sources clear concise manner learned importance executive summarch reduces necessity executives spend time combing get bigger picture amounts break core shows material relay effective efficient manner learned might related content worked transferable classroom future aspiring lawyer accounting certain wanted cpa however unsure wanted specialize accounting stumbled accident looked interesting individual thoroughly enjoyed informed students either hate came company feels valued makes myriad state local jurisdictions location paperwork forms procedures gets boring like official state local taxes pick things variety received aided development rounded professional intention usually friends campus helped growth campus saxbys hires caf students saxbys allowed peers campus tressure hear several worked describe family rest caf fo looking return caf difficult friends connected campus returned campus past septemberember saxbys students creating community community serving community saxbys rest campus yet strongly middle worldwide pandemic gotten experiences suppose future mission get nature society realized planet passionate like future line environmental lawyer recently future anything helped conclusion planet helped professional face challenge fully virtual main version professional virtual difficult motivated keep mental health stable glued computer hours mentally draining adapt changes benefit process learned things quickly efficiently times virtual affect helped immersed company incredible values ethics inspired priority trough comcast pricing analytics expand expertise professional ow load practical wile teaching implement types analysis business practices proficient essential business software platforms future endeavors away challenges face head times past challenges avoid faced particular challenge difficult time thought quit got praise expect interested pursuing financial consulting professional point helped takes advise net worth clients asset allocation investments sports agent appealing profession extent require master degree talking boss regardless sports agent get mba unknown timing immediately couple years workforce wanting sports agent learned need top evident making constant calls sales representatives companies responded promptly follow timely enough manner quick efficient manner using resources proper learned consulting helped whatever enjoyed background learned otherwise contacts companies could future allowed professional setting requires future learned importance internet marcheting could company seo internet marcheting knew wanted related future opportunity leaf introduced initial training state state lessor lessee situation require strong analytical comes determining item taxable yes rate realized working equipment leasing company ideal backup taking whatever business could salesforce solid jennifer cody went entirely decemberded plethora salesforce trainings certifications business working aim center analytics finance finally solid tangible backup earn money meantime huge relief salesforce stepping stone higher guaranteed closer time working haverford need communication professional read realized invest growth things professionally communicating need broadening vocabulary general topics said goals eloquent words right question get right right things eyes like future working corporate focused behind scenes realized fan like future works clients works marcheting advertising future working collaborating said hopefully marcheting outdoorsy company vba improve computer science coding initially going online get certified outside however began component enterprises supervisor emphasized wanted term project based company could improvement taking months develop better understanding company decemberde parts accounting inefficient decemberded time automate cash sheets component enterprises small family business modern months updated daily cash sheets pen paper took minutes every project allowed time teach basics vba codes simple click button could download bank statements transactions organized respective categories excel could code desired transactions cash sheet online checkbook proved challenging yet rewarding project forced studies strong solve problem resources learned business regulations private investment learned asset protection going keep mind successful wealthy need protect assets ways learned organized ahead going everyday future organized achieved satisfaction working better going needed time needed completed meetings needed keep track projects due dates online calendar helped applying method rest tasks prolific driven positions accomplshed terms professional improve public speaking presentation noticed regardless management presents reports meetings takes practice clear concise overcome fear speaking front crowd communication key effectively conveying message critical professional attended weekly meeting talent acquisition provided summarch progress potential candidates included outreach scheduling interviews etc served keep informed recruiting pipeline changes attract qualified seekers actively participated hr weekly meetings presented findings compiling surveys suggestions could improve engagement address concerns helped brainstorm ideas company wide party planning stressed since prior hr communicating zoom quite however could pushing towards stepping zone confident attentively listened spoke stages projects completed outcomes discussed approaches better result learned structure speech visual presentations accordingly clear cut easy follow step towards achieving professional professional functioning business operates understanding health business j j hands correlation processes behind decembersions trying figure financial fit wanted private equity marcheting time working directly helped setting professional helped confirm chose right could working forward getting marcheting furthering abilities done pretty classes exams confident like attention super working marcheting like accept praise constantly hyping telling backbone makes valued makes proud apart relatively small puts meetings managers owners company care early updates projects meetings owners get stressed get supervisor tell time owner telling allowed revel builds working time builds revel given second worked cap analyst thought founding members company however poor management workflow resulted bad working experiences luckily time managed time pwc worked deal intern started figure advisory investment banking jobs billion firms thrived nowadays return specialized portfolio management investment banking investment banks mutual funds could potentially dream financial analyst mfao mutual funds opening described behind scenes mutual fund got get foot finance working respected company resources hours included meetings twice network maybe working term nice get dream operated stepping right like aspects effort issue issues every errors occurring difficult times root cause issue affecting daily operations making effort process affecting us soon transferable aspects hold board positions organizations progress workout situation choices decembersions effective looking ways recruit members trying shoulder muscles time entirety trying accomplish resources given decembersion fruitful effort mean spend time investigating solving worth time invested mental block surpass soon exposer financial marchets tools ones income investments time minimizing risk related helped cpa counts towards requirements fulfill cpa specifically broader accounting accounting concepts implemented tasks preparing posting entries revenue expenses accounts allocating warehouses mfcs micro fulfillment centers since gopuff relatively young automation technology dealing accounting manually completed working raw processes understanding mechanics accounting eye opener accounts managed reminded flow constant least short bursts however happen time things get dull personally speaking feels like rather professional constant challenge versus challenges deal time final months like need stress rather deal final stress rather small constant stress breaks pause time professional goals accounting increase technology earlier struggled developing applications trained bubble applications mind training understood bubble business benefit small businesses entrepreneurs goals boost finance working grant project called g force main objective search government grants applicable headquarters san francisco national grants funding projects projects based continuing education building courses programs like needed grants sdg entrepreneurship entrepreneurship adult programs since women led option women based grants range relief funds targeted struggles lack communication understood looking exactly stepped took accountability enough updated grants exact ones specifically looking bosses recognition better halfway accomplishing professional goals working higher education behind scenes competitive medical schools effort admissions counselors communication interactions students working private wealth advisors financial advisors eyes layers financial services plays found like learning money moves ways keep growing money however like enjoyed working pwas helping potential prospects making powerpoints clients learned whichever decemberde working clients talking phone meeting strong relationship admired pwas communicated clients personality thrive rather behind scenes letting communicate get employees allowed projects network company dog lover fit right college animal space business veterinarian strong foundation financial analysis cemented towards animal majoring management aspirations working professional sports certainly helped jobs hold future biggest strengthened communication communication business esf responsible communication customers professional manner daily basis answering phones sending emails mainly parents needed type assistance regarding summer camp plenty kind parents plenty kind parents strengthened communication assist upset angry easy key helping better candidate future jobs entering things care improvement thus learned get sap system widely used companies moreover developed professional connections could future perspectives actually earned precious things biggest goals combine science minor background finance given outstanding opportunity explore aspects draw conclusions given plethora companies owned raf necessary deploy analytics fascinating project purely financial positions manipulate insights invaluable proving biggest differentiators companies perform direct consumer marchets fact colleagues believed future looking employees skillset time academically professionally aim specializing intersection financial marchets analytics return raf outside setting general analytics framework deployed portfolio wide avenue explore analytics deployed deal making right considered pipedream private equity advancing degree finance gaining insights deal structuring private marchets minor science table future positions raf firms private equity beyond helped could sales needed pretty phone talking imagined get nervous sometimes fumble words confident saying time went became sales wherever worked vette time impactful remembered like public policy economic company wanted type business related wanted pertaining majors marcheting analytics administrative acceptable working small tight knit supervisor available encouraged questions excel outlook limited prior beneficial wise making connections dream teacher pursuing business like marcheting need making right decembersion choosing ensured got project related helping diabetes father diagnosed diabetes advice stay top helped similar company however aha exposed accounting revenue assets learned audit requests time tie billing bank statements significantly larger like audit got book amortization entries escheat void entries exist revenue working smaller allowed closer bond similar audit like future goals coming york city receive known company allowed like biggest banks enjoyed york connections professionals connections around country including york city leverage relationships time offer york city jersey city opening situations times little reserved recent years prevented improving quarantine occurred past time reflect attribute fix allowed steps towards achieving mastered quality instrumental towards success found helped regard took directly general business taken legal studies recently wanted explorethat without fully changing result entered bit nervous element unqualified lots tasks asked required adapt quickly responsibilities ways develop days found unfamiliar territory confident capable exiting entered supervisors members tremendously assisting success result patience guidance grateful opportunity strong professional working financial controllers second given greater sense prior enrolling filled uncertainty future anxiety fear choosing wrong overwhelmed tremendously knew wanted business challenge figuring second enriching business reaching j p morgan finding evolved working financial controllers accounting based rather finance confidently conclude accounting meant gained classes provided accounting accountants daily basis additionally allowed soft technical prior excel hoped improve software could efficient due fact produced excel improved tremendously proud opportunity provided company software explore fulfill goals started promptly professional pursuing excellent time sense sense commended time management pride deadlines meetings met pursuing networking connect professionals get related decembersions got advice paths connecting biggest goals break zone open conversation crucial strengthening social formal informal basis reaching professors staff students coordinate solve problems times difficult beginning college learning social behavior talk corners university used customer service time built supports goals better taking time picking words correctly situation without creating problems get closer organizational need better budgeting time juggling tasks afraid busy feels better busy going packed schedule sign curating goes smoothly improve integrated medical somehow pfizer step seeing production supply medical allowed merchandising previously cool ins outs merchandiser completing decemberded jobs careers merchandising planning buying learned lessons experiences projects got short term goals skilled analytics tools ex google adobe etc worked analysis projects driven therefore required adobe analytics get speed pretty fast limited adobe analytics exposed sap crystal ball adthena analytic tools applicable working decembersions analysis appropriately ever right aligned encouraged master tools ii learnt leader working months showed leadership management leadership roles upcoming years directly encourage project maintain atmosphere lesson anywhere found forced network communicate professionals realized law lawyer rather private equity investment banking showed larger travel live anywhere went consulting loved wanted keep labor maybe going law instead already said internal audit future associated learned learned finance learning adjust situation like college secure learned stay working marcheting specifically food marcheting enjoyed time working company could similar near future food working past fall winter shown could rest mean shows education every cycle engage gratifying college learning growing opinion college like age engage knowing specifically like time college gives peace comes college searching doubt brain fine goals accomplished succeed desire college achieved ever expected interesting unsure wanted challenge working service jobs restaurants since smallest fish pond might expected performed menial almost practice assessment came get wrong lifelong connections vette awesome yet bosses transparency addition ambitious attitudes infectious desire roles learned professional communicator need capitalize exciting goals follow learner professionally expand network showed like longest ever working professional certain learnt satisfying planning getting round adapt demands future us term join family business india seen scale organisation time opportunity directly project setting transition second adamant involved found every given creative liberty input respected received grateful positive steadily gained produce projects across teams company additionally retirement finance retirement plans irs rules finance beneficial sparked enter working celonis process mining gsk diverse opportunities hoping third similar communicate holding positions company esg professional goals focused developing every keeps connected peers professors alumni yet seen classes esg sustainable investing mention known among peers thus topic esg space perfect introduction sustainable finance fast space growing someone years space learned accordingly developed company witness helped space deeper greater appreciation working space initiative beginning saw esg persuasion takes get accepted financial professionals used persuasion negotiation mastered supervisor began approached hesitant esg professional development goals learning art negotiation maintaining professional communication concrete communication essential successful coworkers space proved communication approach towards motivating older generation finance towards greener outlook impressive motivating get legal paralegal attorney reflects becoming attorney got corporate involved legal based activities sit calls attorney going contracts owners contracts sit due diligence calls detailed questions assure risk purchasing care motivates helps achieving dean list dean list kept motivation going pushed keep working employed successful known company inspired keep working harder going spring term reached potential academically better like business grateful effort paid success maintain momentum ended note boss seemed leaving positive impact employees company sparked making dean list every term moving forward excited fun challenging journey ahead getting peco easy gets harder learned adapt working pandemic challenging like online learning terms eventually found stride certainly giving minute video company ideas video list scheduled interviews scheduled times videos needed organize folder company allowed classes experiences regards professional goals reach positions post grad peco wonderful enlightening benefits working organized company exposed supportive individuals helped entire months stay mock given talk employees applying actual opportunity practice get feedback employees outside liked peco women interviewed said loved jobs companies worked said surrounded workers plenty opportunity promotions growth questions type company future perfect going company got working company join company offers type opportunities peco like given direction supportive company compare experiences future private secretary assistant ceo company need ceo scheduling meetings appointments fast paced hold meetings clients employer short time customer service trait needed company reach trait helps future arriving time meetings appointments crucial needed assistant secretary wish ceo company learning managers act meeting clients fellow managers partners going need thinking future helped auditing interested pursuing wanted resume wanted positive difference perform kind public service working refugee asylee community accomplished incredibly powerful hear stories hardships gone overcome motivated every wanted assist clients folks worked fantastic strongly worked like community emotionally taxing times knowing helped could asked exceeded expectations led friends future working online fitness coach among things exactly supervision coach get clients business zero learning employer education finance finance get sort wealth management investment banking finally finance resume helps get closer achieving professional pursuing education main things communication huge learned communicate effectively listener open often pulling environments collogues encouraged ideas opinions collaboration strongly ideas opinions worth listening like business professional ready enter allowed refine professional otherwise grown current covid refine time management communication professional writing working accomplish completely learning example activity helped included times responsible calling irs communication professional speaking improved result activity imperative clearly confidently situation hand helped improve professional pushed closer interesting charge implementing hana sap software ultimately sales specifically corporate software sales seeing selling cycle customers point view got process implementation metrics success used problem areas faced professional goals learned time learned perform working home isolated better interact communication regards audio goes production streaming sports games camera knew interesting visit schools philadelphia got flexibility allowed games wanted cover display availability excel sheet boss flexible understanding came games cover however like time like rather time probably unpaid realized going production near future focusing marcheting rather communications minor chose wanted like working sports dream espn bleacher report opportunity watch sports get involved behind scenes streaming sports suggest time time connections process interested investment banking investing related roles pwm offered introduction finance investing allowed get like financial clients professional goals pursuing prefer corporate private got working smaller company like working bigger company like totally honest fmc got around talk projects happening faces usually hear teams met working fmc networked return phase company time short fmc got corporate like finance graduating similar figuring going corporate smaller enjoyed working smaller got questions answered faster participated meetings interested bigger company connect smaller helps get close working fmc company got handle lots pertaining patients came clinic charge quantity patients perspective someone handling analytics without point trends areas concern less leadership company experienced exactly aspiring showed encounter positions private equity wealth management eventually mba right fields classroom organizations programs join airgas goals setting keeping goals mind search future searches ensure companies culture employees passionate enjoyed balance airgas positions far given better understanding future refined goals knowing liked airgas company fields beneficial hoping combination company culture passionate nervous staring worried unprepared accounting classes challenging gained successfully difficult instilled trust proved reached confident subject reached making connections networking company enjoyed interviewed accepted week summer emerging leadership development terms term goals opportunities accounting endless accounting typical journal entries calculations needed moving forward highly considering getting cpa going maybe return company goes perspective endless opportunities accounting degree excited explore carpenters workshop gallery pushed closer future goals internationally working fashion company products social media platforms someone post reach get attention number rule marcheting applying customers needs wants watch approached sales grateful determined every time completed works driven develop coding eventually scientists federal reserve current trying figure future weary going business working milkcrate working nonprofit organizations marcheting intern marcheting tasks learned enjoyed networking helped met companies like morgan stanley edelmen rockefeller wealth management etc professional talking roles culture given clarity paths might potentially aligns stronger excel spent time excel picked shortcut tricks future going classes excel confident future exposed things across divisions allowed let personally learned learned like biggest plus thought negative financial analysts working directly head intimidating creating checked millions times sending going checked anyone else responsibility shoulders trust pwa working directly pressure strong relationships super anywhere friends family strangers future exposed things across divisions allowed let personally learned learned like biggest plus thought negative financial analysts working directly head intimidating creating checked millions times sending going checked anyone else responsibility shoulders trust pwa working directly pressure strong relationships super anywhere friends family strangers future exposed things across divisions allowed let personally learned learned like biggest plus thought negative financial analysts working directly head intimidating creating checked millions times sending going checked anyone else responsibility shoulders trust pwa working directly pressure strong relationships super anywhere friends family strangers need tell story using allowed independent teaching guide things perspective marcher marcher perspective helped future purposes starting business applying main looking opportunity using applications software however learned instead soft communication taking responsibilities projects little bit public speaking improving soft learning like mainly focused soft excel hoping hoping learning macros financial business terminology limited difficult follow sometimes lack background financial reflect professional read news every morning better prepared future classes strategically classes collaborate presentations public speaking positive self reflect business professional coming college exactly wanted finance routes talked worked individuals across company pfm eyes haw tracks degree finance finished second coming closer thought handle working completing past hold worked small immigration law north jersey boss wanted get business operates beginning perform everyday tasks tedious got business operated trusted difficult like filling government documents making cover letters case filings etc thought perform half tasks completed problems got feedback reassuring im satisfied ethic surprised capable excited spring summer going goals professional collection college finance however realized wanted business analytics showed analytics time found hand selecting analyzing hundreds thousands points clearly efficient collect analyze since none us fully learned modern analytics stuck brutally painstakingly going point supervisor applied automatic scrubbing technique cut months days waiting scrub instance emphasized learning business analytics started taking google certificate analytics matter modern every single company benefit analytics showed accelerated accounting provided wide range areas accounting preparing financial statements entities filing regulatory reports understanding basic accounting including debits credits working general ledgers accounting systems reporting audited balance sheets income statements statement cash flows developed drastically beginning exceed advanced accounting positions refer experiences leverage future things learned success opportunities furthermore notes lectures applications came across lessons could classroom example learned leading company records transactions transfers source documents workpapers financial statements certain procedures protocols company followed learning operated lesson company operate deeper meaning companies operate differently based number factors comparing contrasting opinions accounting company general term becoming knowledgeable accountant fulfilled ways since second interested actuarial profession monumental giving needed determine could fit went far professional goals need prep actuarial exams aim least completed time token need time management need prep exams least hours taking classes possibly final goals working extroverted introverted trouble talking getting alone hands customer service opportunity get types converse assisting needs wanted estate second honed estate future helped aspects happen estate time fs competitors individual funds initial investment company loans found evaluated approved board members happens send millions dollars customer things underly estate working fs helped things need academically finance broad going opportunity explore corporate finance helps deeper foundation corporate finance accounting company worked small affiliation textile corporate denmarch size fully departments worked together operate efficiently furthermore textile complex perform accounting necessary service opportunity communicate colleagues small company specifically departments get done helps shortlist finance like future decemberded investment finance preference enjoyable opportunity possess investment banking investment bank fit personality tough given women frequent top investment bank need prior came delancey open mind grateful excited opportunity foresight return worked corporate non stop since beginning college since coming substantially grown individual professional unique college decembersions non stop unique abilities specifically delancey worked sig communication clients every resolving issues magnitude going every months deeper trust thus improving abilities time someone every single line correct quadruple checking making numbers correct spelling errors formatted correctly reason stress easy coming delancey time learned confident accomplished prove capable asked network us future met several colleagues communicate relationship main meetings every coworker easy talk understanding things going showed relationships built wide meetings every weeks meetings allowed us communicate often communicated email slack helped business communication levels company professional pursuing figure wanted decemberded mis flexible degree teach technical develop interested pursuing freelancer mis freelance web designer however thought becoming content writer since thought strong writer easier learning code portfolio wanted written several blog posts worked projects demonstrate abilities collaborate content blog posts wordpress html helps bolster web design given small database asi excel database creation management professional ladder system mean company opportunities higher ranked positions leading company wide presentations becoming supervisor add allowed front company executives share ideas professional goals eventually top executive founder successful company fact exelon peco gives chances success reasons enjoyed got individual search scdc get related business like add estate minor investment strategies including estate transactions estate agent investor clients related investment banking private wealth management analysis estate deals learned talked underwriters analysis worked requires multitasking close professional things time daily example asked organize documents including invoices customs procedures etc required categorize types documents parties manipulation arrangement flexible avoid errors ablility multi employers demand candidates personally jp morgan global financial services company useful senior management stakeholders several entered name financial company either accounting analytics finance related accomplished working equities financial control jp morgan chase financial accounting equities complex yet interesting learned products equities learned diligent pay attention little details entries impact balance sheet income statement enhanced accounting minor finance working jp morgan financial accounting infrastructure reporting fair biggest professional develop professional mannerisms every setting challenging company teaching style comparison learning style instance supervisors tend assignments completed little guidance difficult lack communication led differences terms results challenging allowed develop sense professionalism learned guidance developing problem solving main working college professional athletics nice responsibility charge original grade given recruits football future literally hands enjoyed taking extra responsibility compares got puppy pomsky time taking care things mirror professional goals fast paced time management stress quick paced efficiency accuracy pushed attentive detail pressure deadlines addition pushed working several projects time capable juggling deadlines time sensitive manner pushed several personalities working habits among workers strived pressure responsibility entire relied future business management ins outs managing importance planning found defined headstart game peers graduating college years accomplish researching jobs offered finance started wealth management thought applying wealth management positions got offer fairman worked wealth management intern learning ins outs wm business got talk partners periodically started fairman past months learned talk clients reports monitor asset allocations grateful learned short time smiling pursuit wealth management future network time fairman met intelligent close close professional network grateful finally someone talk professional advice staying touch members fact sort boss controlling payroll ordering products whilst talking sales reps helped reach professionalism power sort controlling father store supervised professional could reach regular since nothing hands related professional goals learned function office thrive got accounting biggest fan going reason took related courses starting however actually working got interested type showed started thinking money wanted get making figures could pay debt fast afford wanted progressed unprecedented shutdown country learned care rather making money perpay like meaningful goals finance minded perpay found finance means helping providing meant credit scores developed future perpay going least every mind possibilities outside finance solely focused making difference meaning anything tools familiar challenged embrace unfamiliar adaptable general main reason chose process wanted prepared provided every going fulfills professional simply gaining figuring future considered indecembersive going helps weed belts helps companies fit comparing realized like collaboration medium hearing feedback learning actions got intrigued digital media marcheting loved named clients seeing published clear trying figure ways worklife found loved camarchderie companionship company provided like took care wanted fields company resume appreciated zone appreciate finally goals answered excited store met individuals areas including portfolio management relationship management provided paths available investment management created execution december provides trade cost analysis including implementation shortfall performance versus benchmarch presented head equity trading senior management reconciled glenmede mutual funds daily basis allowed portfolio managers trade accurate cash figures open assisted implementation trading models charles river allowed private wealth portfolio managers wide range available models across risk spectrums accounts communicated equity fixed income traders office operations ensure trades settled counterparty custodian improved reconciliation process implementing transaction automation status updates reduced potential errors time needed process goals working front office worked perfect allowed front office worked accounts ranging size investment objectives saw business process watched clients onboarded taken steps invest money strategy liked six months miss loved business researches funds portfolio implementation future seek process proffesional working social media sports time taking company social media previously worked individuals platform wanted thought beneficial company content social media schedule massive portfolio completed communication coordinator springboard writing communication heavy rather marcheting analytics driven like springboard planning projects writing working lots communications internal external resources loved found pretty skilled things applied advanced ms public communication term pursuing communication based gaining marcheting wanted social media free rein explore passion get feedback professionals content resonating upon starting aspirations stem saw medical profession somehow working lab switched business completing business quite anxious peers sort history working novemberce knowing wanted specifically business expecting sort little ease knowing worked professional setting right questions interviewing prospective employer example leadership styles etc typical workday like working helped contribute organizational management recognized areas company benefit greatly lack clearly defined responsibilities helped train brain identify could responsible goals graduating equity trading connections towards moving jp morgan considered recommended hopefully jp morgan final culture jp morgan represents system front office positions desirable corporate expand professional networks wanted company thrive time collaborated couple projects completed projects favorite project afterhour objective project vendor obtain passes saw afterhour receiving number calls pass rate low thus weeks main daily audits vendor coaching feedbacks audits uncovered calls dispositioned cs transfers missed opportunities identify common themes helped improve fiscal augustst presented bruce smith smb direct sales west division project helped strengthen public speaking teamwork learned reach questions better questions clarification pretend intern like receiving feedback helps better positive feedback motives keep negative feedbacks reminds need improve affirmed private banking private wealth management goals firms pwm brown brothers reputation learned working enhance soft worked worked managers assemblers interesting brings results receive leader collaborative leader examine coworkers behavior action conduct proper ways failures successes example hear assemblers feedback strength leadership style better understanding approach example told successful leader working guiding workers mission assign nice friendly return favor jobs leadership commanded workers mission results workers satisfied learned workers makes easy future asking favor university finance chose finance due lack business micro fields believed needed like operational management remember taking opm helped knack finance degree since heard franchises professor finnin fell takes care branding operations taken care franchisee wanted franchise could seeing dunkin franchisees working proper systems learned deeper dive lets better goals father used franchise owner saw worked furthered better proud appreciate opportunity presented allowing step closer goals helped construction management less engineering actually changed eliminate engineering business management construction infrastructure like hands aspects building including design remainder classes left estate management background engineering passion better relationships teacher faculty working cvs health main goals entering fields rounded future successfully easy enjoyable gaugust aligned professional goals company emphasis uplifting supporting voices historically silenced working gaugust allowed impact uplifting voices hand beneficial helping decemberde future currently finance working coops accountant kind like accounting thinking adding accounting minor pursuing mba degree cpa certification working accounting accountant word like accountant coops worked changed considered accountant decemberde either minor accounting future pertains self standing latter years freshman organized cases late assignments rushing assignment putting forward knew business courses late subpar completely unacceptable professional cases could terminated reason stay organized tasks assigned ensure completed timely manner helped practice strict planning computer ensure completing tasks timely manner nature easy common completion date included contracts easier gage jobs needed immediate attention ones could wait potentially play assessing materials cost analysis starting project industries wanted competition worked insurance company technically worked buying company opposite supply products sides allowing broaden narrow qualities looking post nice willing ones every week talk anything related currently pursuing estate possibly enter similar company glimpse like looking defiantly choice contain contributed furthering learning understanding marcheting teach things future better understanding business works terms marcheting finance directly helped non profits operate helped adjust quickly things exactly expected bloomberg finding directly correlated studying like business engineering direct fields however passion lies intersection business technology unique blend concentrations select companies specialize working somewhere like bloomberg global allowed finding like resume reflect interests direction perfect stepping stone leveraged software technology tools interesting using foreseeable future enter latter half years interesting content classes complement learned bloomberg enhance listed resume learning ones entrepreneur business production relevant future business owner going get managing communicating practice daily basis supply chains worked concept actually action invaluable draw future trying supply chains gaining coops like accomplished coops far coming bit undecemberded accounting finance accounting enjoyed like second went finance related fp workload liked kind self stuff future working budgets forecasts working allowed decemberde stick finance huge professional goals helped professional network greatly severely lacking network open possibilities employment college trained variety softwares services resume future employment opportunities finally get like better future transition employment college easier allowed explore business financial analysis explore paths business analytics finance get taste paths hone professional wanted better time management e reduce procrastination started working applied taking leadership positions clubs learning balance given like wanted positions limits individual applied operations coordinator university residential provided range involved professional development endurance proactivity required time management successful helped given time orders system usually struggle time management proactive enough structured time time encouraged better improve organisational completed networking gained staff connections like achievement despite challenges covid past months worked prepared smoothly helped finance havent seen surprised interesting private wealth management effort goes managing someone daily basis importantly seen strong advisor goldman pwm pwm advisor certainly future rounded areas finance communication social helps vc project intrests someone like financial services acquire clients book business time spent learning practices agilence helped professional goals inspired add double opportunities future related financial marchets financial instruments ultimate intersection portfolio provided opportunity highest dealing ultra net worth clients working goldman top unique products capabilities human capital grateful provided opportunity combine passions challenge perform highest alongside brightest minds perfectly fits needs mis allows roles mis might luckily exactly entire communicate effectively professional network virtual networking events professional network allowed leverage networking helped develop public speaking involving roundtable discussions financial products like equities fixed income alternatives met time penn mutual interesting hear careers transpired arrived penn mutual passionate helped could passion advocating incarcerated individuals worked closely edward foster attorney post conviction relief hand pcra written filed witness interviews conducted legal writing done dive cases explore criminal justice system prison system lens seen meaningful connections clients met heard stories forever stay developed stronger passion thanks mr foster solidify goals recommend anyone wants developing virtual communication addition email communication starting thought wanted digital marcheting interpretation digital marcheting website design social media marcheting quickly learned digital marcheting vast covers paid social paid search affiliate marcheting professional accomplished better like learned digital marcheting working digital marcheting specifically paid search heavy requires daily analytics based decembersion making prefer creatively inclined allows creative freedom interested pursuing third brand marcheting aligns professional interests gained exposed parts business financials production sales inventory etc exposer gradating getting started sales fast past professiona insights owning brand specifically fashion useful fashion worked sometimes delve fashion brand better understanding fabrics materials learned sewing machine previously hand sewing pieces helps owning brand like getting top system leverage experiences ib pe bank fund quantitative pair qualitative gained explain experiences third hybrid version third qualified dream prominent employer past six months crazy aaron learned business specifically operations supply chain supply chain management like clear production flow products transform raw materials finished goods witnessed importance balance challenges trends comes juggling customer needs production management wanted since learning freshman brown brothers harriman amazing company incredible wanted culture like brown brothers harriman least found company highly interested pursuing college opportunity brown brothers harriman finance banking unfamiliar going professional since time actual better time management personally room improvement helped develop giving deadlines projects thrown tasked setting certain meets per week quota time addition time management relatively gotten better started hand assignments tasks early fast paced since started helped daily tasks learning curve easily adaptable showed grown enough fast paced working week courses academically speaking went rounded ready entrepreneurship classes fast paced got hand finally professional need growth professional sometime since financial company financial sports athletes couple professional coaches got type loved helped watching three financial advisors thankful opportunity becuase wonderful future decembersions managers welcoming assistance whenever needed related took time chat get addition met friendship continuing months peco satisfied stressed communication leadership working benefit future working wealth management goldman sachs learned things importance diversification portfolio constructions among things however leaned perform fast paced pushed challenged mentally physically surrounded hardworking smarch takeaway need challenge version primarch coming narrow knew wanted business quantitative exactly completing pursuing accounting financial reporting enjoyed worked dull opinion repetition room collaboration learned importance working passionate prior coming finance jobs however company aviation passionate aviation working could fulfilling indicator looking geared towards customers intern none often bored lost law working smaller law like provided hands better understanding things started law goals time get accounting fact accounting gained deal working company like working small company company differences true accounting relatively small company less employees current company employees perspective pros cons small company grateful perspective college ultimately decemberde permanent accounting benefit get accounting third final needed resume since half stand applying outside get accounting ultimate huge relief get fall term applied private equity positions could get considering options get winter term interviewed summer told hiring winter waited eventually asked wanted professional goals however offered exactly wanted get foot door connections thanks network bigger ton works professional advance expanding network worklyn partners technical improve critical thinking looking get mis finance related professional understanding technology influence finance drive better ways working get understanding tools finance processes reports easier daily basis consulting glimpse could like since focused project management digital transformation initiative companies adopting eyes process could like dornsife center marcheting oriented changing allowed glimpse marcheting like showed like mirrors nonprofit orginization things salesman sales sales years old family business retail beer shop selling beer things learned frontline education approach taking using approach working helped sales rest family business get sales marcheting finance years returning home family business learned things communication connections keep frontline helped thought teaching tricks known sales got zone needed got opportunities supervisor realized situations knew fit right collogues worked daily basis helped working helping get anything might needed using bunch rest probably things professional goals experiencing corporate observing realization owner leader company time meetings professionals listening motivated ways improve obtain cpa better leader determine need strengthen need knowledgeable communicate express thoroughly efficiently professional setting classes better understanding teamwork ideas diversity involved company successful innovembertive community peco supports controllership office observe listen closely brilliant leaders members coworkers share ideas community practice learned classes interests daily basis better continuously learned members coworkers supervisors actively listening observation application carry individual critical thinking share ideas could efficient future pushed outside zone ways tend shy introverted self confident vocal settings leading older professional nervous main responsibilities project launch required weekly progress meetings communicate number groups leading meetings awkward kind uncomfortable grew knowledgable processes intricacies project began leadership less nervous helped confident abilities self like ways communication leadership influencing step right direction finance unable finance luckily allowed perform tasks related finance exposed funds lab given opportunity staff salaries changes salaries impact lab given assist commercialization lab biggest project witnessed assisted developing realistic financial business project experiences exactly kind needed like belonged goals better financial concepts learning concepts learned classroom participate hand financial planning successfully concepts learned classroom colleagues employer used finance heavy vocabulary concepts vocabulary learned finance classes learned clear finance importance budgeting sticking budget aside finance related goals professional relationships colleagues employer worked supportive working alongside time working business like becoming internal auditor like accomplishment quarantine home get workers face face office setting however better get time tasks assigned got busy season non stop assignments busy seasons days given days happen regular understandable intern learned relating auditing connect staff outside audit internal auditor dream finance business instead achieved got undergo months time auditing passion lies elsewhere broaden perspective professional helped expand challenging projects related projects assigned extensive relevant goals college engagements better time struggled teenager early college opportunity exercise oftentimes busy weeks coincide busy weeks online forced wary used time online saw opportunity control time successful noticed recent past actually managing stay ahead deadlines learned tasks instructed required need conduct subject areas relating addition need rather pursuing excel interpersonal soft communication meeting working making sometimes difficult conversation excel communication overcome difficulty communication daily workforce since need jobs require teamwork getting practice communicating peoples backgrounds entrepreneurs higher ups chubb global internal workers departments chubb instance meetings higher meetings get members communicate higher ups communicate similarly communicate via email resolving enquiries conforming settlement amounts chubb associates chubb korea chubb japan chubb ecuador division professional goals include becoming certified public accountant working public accounting goals gaining working time working counted towards years needed sit certified public accounting exam companies employees years public accounting therefore expertise public accounting open possibilities type accounting better prepared certified public accounting exam company future endeavors bdo industries explore teach audit techniques pass certified public accountant exam stay public accounting term years taking bdo hopefully earn time upon graduating years earning time bdo offers tools programs employees certified public accountants employees certification without certified public accountant certification reach past senior public companies taking success future term goals freshman decemberded switch accounting economics supply chain management business logistics learning critical business supply chain customer satisfaction fulfillment success availability customization becoming increasingly valued amongst consumers hired due covid book keeping litigation transitioned hoping perspective professional supply chain like entailed exactly learned springboard small company interact employees every company individual open meeting setting warehouse main st working directly beneath director supply chain east coast warehouse manger prospective paths curious managers aware interests upon ever since presented opportunities exercise learned schools coursework addition daily workers monthly org wide zoom calls allowed face interact rest company share ways improve workflow management systems warehouses unfortunately lost fulfillment due abrupt learned shadowing previously responsibilities remaining duration learned communicate project management coordinate shipments every week loved placed vital entire workers praise appreciation efforts small size company supply chain specifically allowed initiative improvements processes saw fit annoying parts warehouse fact company invested inventory management system materials took time prepping shipments longer noticed decemberded researched third party workflow software called monday com built demo rest suggestion maybe entire company adopt least time global pandemic clear finding opportunity going competitive fortunate found matched simply allowed wake commute everyday stress pleasant travel everyday main st welcoming friendly encouraged everyday manayunk warehouse shipment workers fun exciting live past months ill rest goals moved forward direction like dislike strengths weaknesses leaf helped figure wanted future uncertainties wanted hoping clarity found enjoyed number heavy business accounting finding future easier clear direct pursuing future beyond reflect upon dsg nothing short amazed months grateful grown personally academically professionally supervisors particular time dsg helped progress owning business dsg inc edc electronic capturing company clinical trials specializes creating databases pharmaceutical companies presenting drug therapy fda among insights gained working company strong emphasis professional every week entailed strict deadline met positive facilitated progress considerably hand necessary attitude business sustainably successful unique perspective time dsg understanding due diligence behind every small amidst intern plenty tasks seemed repetitive counterintuitive time went started hidden importance behind tasks loss time effort completed properly tasks preferred working held significance company agendas decemberded rush finish neglect quality need correct subsequently lose time tasks hand time produce degree quality needed produce useful insights saving time process things considered found dsg overwhelmingly enlightening grateful grown personally academically professionally supervisors particular time spent insights gained dsg progress owning business analyzing financial financial statements using raw organize meaningful ratios facilitate growth since starting classes allowed refine utilize professional got building without trace waste building colleagues peers greatly helps advice recommendation thought thought impossible probable makes enjoyable main improve grades classes time came late unmotivated wanted prove could stick past months everyday time right time thought difficult turned easier guess scared putting effort anything showed could anything mind effort closer fall college wanted improve technical certain software packages rstudio eviews classes software used single single quarter forget utilize quarter invest time effort get familiar software package stata used individuals companies code almost projects pushed dive deep stata get confident using due flexible working schedule series computer science spring summer quarters classes python improve coding classes complementary provided techniques coding transfer coding stata highlight getting opportunity mentor star scholar stata project since happened summer quarter opportunity test acquired spring analytical upon means software cleaning organizing analyzing summarchzing learning visualize using stata creating summarch reports communicate findings experiences working peacex better communicating several teams several roles communicated septemberrate liked communicate accounting done similar beforehand introduced financial controllers importance business reconciliations pretty routine like opportunity improving processes excel macro helped speed pulling files pasting templates rec ready investigation showing process reengineering similar future allowed get better corporate works small eyes future obtained seen strength future prospects working small alumni shows experiences drive banks classes success post professional goals customer service speaking customers gas pressure tests angry customers satisfy sides lots making clothing brand ideas pitching ideas close selection committee solidified legacy fashion mogul honored soon alma matter confident endeavor let professional since moment entered finance wanted dive deep understanding courses heavy later curriculum allowed get better sense reason got aspects search fund private equity got stages deal flow sourcing works professional relationships investment partners open answering questions helped areas finance certain finance helped areas finance emphasis search funds private equity loved fits personality company culture finance wanted opportunity connections private wealth management managerial standpoint gotten analytical previously personally helped foster sneakers professionally learned business regards strategy analytics regards tools professional comes presentation powerpoints helped get little bit speed chose accounting pictured accountant usually thinks accounting could commit choice second accounting achieved experiencing accountant like actually commit learned preparing returns thought learned accountants responsible preparation getting returns collaboration audit winter spring season beginning stages wrap stages right helped get perspective like decemberding like finance translate estate perfect cross roads v provided needed adventure get building merger models creating valuations worked joined college line businesses like main like estate opening businesses lines dad already businesses operates daily expand owns mechanic shop west philly rents eventually taking shop operate getting working mechanic shop operating mechanic shop eventually managerial shown mechanic shop ideas implement singh tire center might efficiently hand prepared line since managerial boss available charge handle customer service working someone report employees report manner could communicate problems employees boss employees could issues boss understood boss unachievable tasks employees communicate issues boss sets tasks goals let mental health act roadblock professional growth failed learning comes setbacks get need self destruct finish college biggest classroom professional meeting personally specifically aided let free range wanted required contribute things went higher relationships step zone beneficial future biggest goals enter achieving learning helped corporate finance interested impactful connections professional gained sense professionalism assess desires leveraged future jobs enjoyed ab amazing learning pursuing multitask soft deadlines confidently prepared classes taking spring quarter completing state returns deadlines working projects soft deadlines time completing papers states remembered update state positions matrix document took became efficient developing process things finished learned strengths weaknesses improve fit kind like future professional professional atmosphere provided pursuing aspects parts get entering professional showing time every morning harder thought time working everyday five days week hardest adjustments adjustments jobs solo helped learning enjoyed time district type learned fixing computers networking office email zoom meetings bosses discuss parts could improved like helping making impact knowing helping community students district get assistance needed without us laptops remain unrepaired months professional cpa eventually corporate ladder chief officer geared towards financial reporting essentially building blocks accounting understanding publicly traded company operates expect road financial reporting process foundation chief officers determine future company wanted focused business analytics figured opportunity solidify pursuing explore allowed witness implement analytics process control process means witness firsthand beauty drawbacks solidified decembersion business analytics professional pursuing equity analyst biggest needed analyze company filings info building models assumptions conclusion helped however slightly equity focuses company filings reports valuation current focuses valuation readings preparing valuations already gives edge candidates already mastered valuation techniques used need understanding filings reports bringing step closer participating dragon fund fall perfectly aligns professional goals equity analyst allowed hand comes organizing events crucial dream owning business creating experiences working athletic assisted creating efficient successfully point like prior professional pursuing gained reason chose colleges wanted prepared future could confident future coops helps students allowing somebody profession basis prepares future allowing graduating applying jobs students already seen like prepared preparing property returns business property returns little bit income returns required using accounting software working professional setting allowing coworkers experienced questions anything unsure gives huge advantage already familiar seen stuff might confident entering workforce already going offered opportunity managing simply opportunity fortunate management quite difficult teaches leadership feet eyes majors technology innovembertion management away learning get hands goals traditional sense leadership played related branch financial navigate knowing stand finance knew coming challenge proud taking challenge pushing time asked lots questions allowed pushed zone connections employees allowed resource ever need assistance advice confidently reflect gained ethic professional etiquette main second pertaining majors marcheting amazing consisted executed duties related thought second informative situation instead coursework learned classes hands professionally communicative presentation etc involved communicating public closely colleagues expanded upon greatly confident gotten amazing known company like vanguard came learned finance mis classes reading excel spreadsheets coding fixing bugs backend concept scrum agile current functionality corporate america personally acquiring difficult due pandemic affecting college months leaving satisfied done achieved time vanguard pleasure taken emphasized learning guided every step onboarding constantly checked progress transfer members meetings raise questions benefit furthermore network connections outside teaming shows approachable vanguard company opportunity persists apart company classes corporate america forward learned final terms classes future either digital marcheter marcheting analyst tasks related professions charge creating digital marcheting campaigns clients freedom creativity supervisors supportive email social media marcheting analytical throught marcheting plans clients upcoming events created content social media email marcheting campaigns freedom designing content coming creative ways promote events future digital marcheting specialist therefore helped profession better loved employer responsibility interns like contributing making successful increasing turnout kind helped indentify kind marcheting future employer tasks outisde charge marcheting helped us tasks related better future either digital marcheter marcheting analyst tasks related professions charge creating digital marcheting campaigns clients freedom creativity supervisors supportive email social media marcheting analytical throught marcheting plans clients upcoming events created content social media email marcheting campaigns freedom designing content coming creative ways promote events future digital marcheting specialist therefore helped profession better loved employer responsibility interns like contributing making successful increasing turnout kind helped indentify kind marcheting future employer tasks outisde charge marcheting helped us tasks related better global directly applies sector pursuing helps corporation operates reduce effective rate multitask multitasking classes fast paced quarter system working bosses responsible areas company required multitask efficiently similar taking classes need multitask due fast paced quarter system classes professional sap completing sap confident time company culture celebrates technology growth diversity building room growth trying opportunities intern woman treated respect professionalism superiors time listen opinion situations achieved goals little kid around heavy equipment enjoyed kid toy dump trucks excavators play sand box decemberded search outside scdc system since hometown adirondack region york jobs system google search internships went indeed searching couple results found milton cat thought cool could dealer sent resume cover letter link waited response biggest challenges searching outside scdc system companies going intern got contact hr departments stay busy enough intern luckily dad knew someone cat got contact recruiter get lined couple days offered funny company reached wanted kid ended working decemberded milton cat cool atmosphere fun past uniquely encompasses time offer going professional setting working closely colleagues without sense direction learned passion wait upcoming years coursework upcoming terms based excited determined classes regards automation creating workflows mis focused took winter term learned automation yet prepared hoping learned classes automation coding future confident ownership leadership going confident voicing opinion thoughts presentation time gets shorter far leadership taking positions e boards clubs sorority professional network networked excited connections networking classes going networking panels lebow offers branches asset allowed get better understanding like atmosphere asset management firms second asset collaborative vibe intrigued alternative investments buy talking alts allowed shape outlook get interested portfolio management eyes careers available like options achieving cfa route get cfa colleagues highly encouraged route maximize potential attend related business helps get closer connect solve questions might goals future satisfied goals maintain proper financial current helped tremendously coming step closer prepared office gotten firsthand office navigate successfully lesson learned paced fast moving startup company office tad faster harder grasp college adjust flow supervisor puts closer helps struggled written communication action constant emailing written communication required helped improve written communication drastically private wealth management space achiever interested pursuing greatly helped senior majoring finance business analytics university lebow college business reasons university offers unique comes seeking professional opportunity fs investments portfolio finance management division got practical financial practices processes followed corporate finance theoretical gained college classrooms certain limitations since involve scenarios taking time time basic concepts forms strong base needs applied practice helps application concepts learned financial services sector aim blackrock biggest asset management firms portfolio management division current got fund management dynamics managing several categories funds conversations colleagues helped several aspects finance risks things starting financial services wanted investment banking helped develop hone technical interact clients develop communication time management analytical organisational showed engineering could succeed due successful accomplished professional goals wanted technical space creativity designs thought users like better understanding goals like accomplish like sql databases coding classes conclusion clear future attracted motto ambition wait estee lauder got taste feels like charge time accountable functions around facility grown personally professionally situations conditions fantastic opportunity fortune company actually difference actually spend time proper get sense across time company quite eye opening got things every wanted get every like certain extent attain working compliance members departments penn mutual learning teams fields operate hoping gaugust like future examinations regulators states regarding operations teams inside operations departments got opportunity sections working penn mutual given opportunity talk managers functions teams allowed questions get detailed overview daily functions compliance business interested getting talk working fields sparked like finance finance minor additional topics get finance working sap known successful company enjoyed time learned sap company goals better excel absolutely vital business almost tasks dine using excel working assignments time communicating workload turned could workload classes learned working towards gaining becoming professional preparing searches post pursuing using learned college fully applying learned example microsoft excel little college since learned ton actually got applied social media coordinator exactly like future freedom control rare founders trusted three social media platforms improve dreams professional pursuing time develop soft establish meaningful relationships around professional found soft networking honing soft offered greater opportunities relationships stanford peacex venture studio improved collaborate given opportunity project bolstered social leadership abilities problem solving teamwork interpersonal online added additional challenges timezones technical difficulties difference availabilities forced organizational could efficiently meetings addition managing meant quickly motivate figuring peoples workflows allowed better configure dynamic leads ensure deliverables sufficient done time moreover worked pretty littler teams trouble communicating expectations learned communicate clearly define definition assignment ended asking questions often realized ideas approaches things helped clear confusion things however contributing final developing soft establish meaningful relationships established series meaningful friendships professional relationships gotten opportunity working projects due stanford amazing pathway hr amazing supportive ways setback aiming jobs marcheting analytics deviant professional business realm heading law working business holds relevant essential tasks every fulfilled improving dictate meetings input opinions prior gifted graduated without minimal communication attention detail like base point pushed zone forcing incorporate hands things actually unless helped kind future therefore influence classes taking attend law potentially international law white collar crime law helped analyzed things perspective understanding certain acts regulations used critical thinking properly analyze investigations provided firsthand law legal profession liked connections shows hired time classes looking move forward employment peco company future offer benefits professional goals apart close knit company things working company close workers friends maintaining professional relationship company prosper respects greater goals boost company morale term trusted investment banking advisor cross border transactions international helped approach term closer gazprombank worked international transactions russia united states england germany kazakhstan countries across globe helped international global banking works enhanced international communication understanding cultures ethnical professional example recent deal gazprombank worked sell mergers acquisition transaction company industrial segment served advisors sell company main bidders company investors germany united states america communication negotiation process investors learned process cross boarder transactions greatly appreciated mentioned exact expert international helped closer deal served advisors equity capital marchets ecm process helped company petrochemicals segment public initial public offering ipo process project huge involved plethora international global banks including goldman sachs j p morgan etc collaboration global banks helped dynamic nature global banking integrally related professional stated helped realized right decembersion switched mis might exact however decembernt sql used keep track thrive assisting dp studying operations management gives tools faciltate helping essentially operations learned oversee takes learned supply chain grasp supply chain reaching accomplished living reports lived collaborate business partners cycle process assisting reporting responsibilities assume planning succeeded taking ownership planning four self care codes j j honestly complaints regrets matter sports business business analytics pharmaceutical company surreal learned stick years equip arsenal tools propel working similar industries worthy test mettle competitive sports excites motivates applying business jobs crave entry since actually difference sports indulging diverse multifaceted skillsets coming formative years interested learning project management prior applying exactly allowed like mentors helped project management challenged tie alongside project management typically involve included communication across departments updating action items building reports using programs unfamiliar learned otherwise fulfilled project management ended fulfilling teaching could hand positions beyond energy sector supply chain infrastructure ever since started college opportunity center fields going throw notable supply chain issues colonial hack hurricane henri hurricane ida hurricane larry invaluable learning opportunity preparing international working relationships whatever learned technical far emotional intelligence terms german professional setting future leading diverse travelling representative working country gotten better understanding communication easier means efficient regardless direction professional time management pursuing provided accounting processes reviewing journal entries completing monthly quarter analysis processing daily cash deposits fixed asset related tasks like asset mining asset capitalization depreciation tasks varying due dates require time time tasks time additional time fix potential mistakes ensure proper completion tasks future classes professional settings tasks assigned completed varying time frames deadlines helped expand marcheting fields profession considering getting future understanding roles entry better shaped opinion approach opportunity future structured company worked saw like given structure vast freedom chubb like working company opposed additionally regards professional allowed determine like business taking liking towards finance accounting based positions opposed analytics supervisor generous enough let explore aspects worked sports professional sports college athletics college athletics opportunity closely professional staff said network main pursuing technology programs used business current opportunity excel functions qlik programs dashboards using aid decembersion making demand planning particular interesting given programs applications held past gaining continued applications allowing technologies like analysis decembersion making future opportunities programs related decembersion making problem solving certainly honed created monthly reports related areas quickly assess needs addressed submitting report completed projects involving pulling locations sorting producing report analyze decemberde based gained confidently goals future develop financial analysis successfully got valuation financials models receive feedback experienced managers analyst responsibilities review financial related investment update financial model based received send model receive feedback model implement suggested changes financial models live private equity debt investments get feedback managers related profession massive involvement building connections organisations individuals allowed hone communication goals analysis financial statements investing stock considering investment banker hence analysing financial statements wanted better accounting classes learned derive meaningful financial statements fully understood companies decembersions based working responsible competition analysis annual reports companies given responsibilty moving numbers annual report financial statements excel sheet worked secondary analysis supervisor called learned ratios functions decembersions percent cash invested earn cash given dividend locations potential additional branches understood took making decembersions based found annual reports financial statements financial analytics interested professional nrg energy directly related majors university finance business analytics minor computer science achieving professional working business development associate vette allowed like startup business classes encouraged business ideas could feasible ideas could potentially business future ideas worthwhile time working vette allowed needs startups sprung fulfill tools startups promote example higher ups vette secure funding project accepted integrated platforms indeed teams project students worked marcheting vette designed flyers videos social media worked coding interface used vet clients worked associate reached managers recruiting staffing companies linkedin email get services offering reached experts fields get vetters get clients companies working interesting collaborate together projects pop time time attending participating virtual meetings kept updated like busy season knew accounting like experiencing helped better likes dislikes brought step closer discovering passion since accounting broad enjoyed gaining certain concepts solidified decembersion business technology roles projects areas identify time right bit worried given experiences fully due pandemic figure professional goals certainly case allowed highly impactful strategic projects got areas naturally lie additional areas interested found passion got difference company variability projects management things doors got learnings completely ways like time making powerful contributions impact rare early talent organizations projects get involved months flew amazing grows citrix students benefit like professional goals get investing finances foundation months wolf financial investment platforms stocks etc opportunity influencers solid advice ever decemberde main professional confidently communicate higher management improve coding specifically languages beneficial technology opportunity sit meeting higher management staff projects working listen feedback corrections suggestions deal professional lifestyle desired technology second going improve coding satisfied project required code javascript language coded given opportunity project result goals confident higher management effectively communicate forth ideas concerns table secondly attest fact completed project language language add cv resume realized finance helped wanting financial management learned bunch accounting management investments accounted companies helped accounting finance accounting finance communication times giving view giving appreciation helping found investment management appealing accounting finance helped becoming personable corporate helps coworkers superiors better get ahead wanted putting specifically professional setting got numerous across departmental teams self struggled gopuff company shy across levels leadership personalities etc helps get accustomed communicate confidently working gopuff like gotten better speaking presentation anxiety progress finance introduction corporate finance finally breakthrough fortune company giant pharma walk away technical future success starting business wanted investor trader allowed capital invest pharma used jnj shares excel provided opportunities excel free resources technical time management achieved since oakland california duration wake early since company operates jersey due serving teams business partrners working europe quite challenging planning since junele european time zones taking jersey time practice creating priotization lists updating constantly accommodate hours working pharma covid ravaging proud opportunity company combatting outbreak trying positive difference compared financially driven companies pursuing problem solving working organized company growing therefore problems deal problems developing tasks areas business benefit future dream house lawyer corporation exposed employment law areas got exposed areas business read article sterling miller regarding working general counsel described legal advice considerable company due departments exposed safety human resources quality finance supply chain manufacturing learned words word massive policy interpreted passionate solving problems fascinated power solve problems processes efficient motivation picking mis combines interests business going second wanted get dealing software used directly coordinating business activity got opportunity sap leading enterprise resource planning software trained navigating software using company business activity sap security got opportunity collaborate functional teams assist gaining security authorizations perform helped better understanding business functions software assisted carry daily activities needed assist troubleshoot errors caugustt glimpse professional future considering ways future working wanted explore decemberding learnt sap ticket management learnt vital soft like attention details left better prepared ahead wanted better time allowed option supervisor helped develop professional growth acquiring challenged times excel communication time management stress management prioritization noticed started trying independent assignments could inefficient get stuck cycle worked communicating supervisor quickly guide right efficiently wanted interested pursuing degree law thought decembersion however pursuing law future successful helping understanding future plans finance management systems allowed picked coursework majors main exactly wanted future helped reach exactly investment management investment management portfolio management corporate finance realm company goes putting together portfolio connections capital inevitably future capital time finance however finance niche confused answer question finance got chances practice finance time experiences determine probably graduated university finance graduating like time sphere business analytics helped step zone talk clients daily basis helped develop communication excel confident comes using like improved surrounded ready answer questions confident looking forward applying positions hopefully returning korn ferry point future company satisfied expectations helped like conducting enjoyed analyzing companies using products process enabled companies get internal structures communicate employees broaden network nice excited learning planning taking business analytics classes supposed positions like hopefully get business analyst trust management helped gaining enough responsibility direct effectively communicate direct network intricacies came strengthened management communication company whos mission stand behind strongly like going toward shared helped generally helped aspects ups partake hoping learned wawa inc masters degree applied economics learned chain business financial reports ordering supplier problems details food output ordering business details learned wawa certainly applied effectively business saw overlap business simulations done process wawa could staying wawa moving totem pole managerial roles promoting education wawa considerable candidate managerial managers advocates likely recommend per taking away wawa business classes effectively used wawa certainly business said goals private investment fund invests public companies public marchets stock investing requires understanding going behind curtains company presents public filings earnings calls got better sense works learned treasury operations multinational companies funds consistently moved around entities maintain liquidity across operating regions came undecemberded eventually settled business allowed dive deeper aspects business specifically finance sector connect broad array individuals company gone similar things get guidance future goals get develop relationships exactly wanted get uncertain future ease commit schooling avenues firstly international average income compensations lalamove international corporation international vibes utilized excel financial recording system increase efficiency accuracy performed exploratory analysis discovered notable relationship helped decembersion making process based findings time helped increase customer return rates providing excellent timely customer service times despite performing depth validation complied monitoring entire division dashboard tableau conducted historical predictive spend analysis determine monthly budgets detailed analysis improvement potential growth areas customers leans towards providing customer services related chosen majors learned improved professional intern highly recommended business students thought working company helps dream true get every theory practical heard could without today professional company things improve better yesterday since transferred university confident talk front studied community college helper computer lab working technology addition juneor accountant accounting service university therefore looked positions accounting business fields indeed lucky finance final colleagues supportive answers concerns working projects addition employer created professional example attend weekly presentation teams doinh employer future tell far far learned independently marcheting university online allowed yet independent front week sent assignments members marcheting requests pull audit vertical professional observing independently yet found however significant emphasis independence less priority placed teamwork assignments tend move chain command starting either passed towards whomever requested assistance ladder approval learned anything importance working working individuality allows emphasis creative freedom developed understanding motivates challenge future positions emphasis variety assignments collaborative teamwork levels challenge found consistent however manner redundant stimulating mind learned regards without fail however motivated thought provoking assignment requires tap developed positions biggest takeaway working opportunity valued learned ethic motivates rather later longer college faced challenges outside initially wanted get financial sector particularly buy equity international aware difficulties face secure time offer things went downhill talked lesson learned case pivot tech sector get time decemberding get finance later happen mba honestly unorthodox problem solve tended worked related f improving morning weekly morning meetings miss sometimes hurt attend showed wanted time went corrected got observe leadership styles learned hands hands approaches working lean depending individual eventually form management leaders tackle problems huge benefit wanted finance determine wanted pursuing accounting heard bad things accounting wanted interested committed entire loved realized accounting professional potential graduating terms belonging like mis business analytics plenty opportunities huge working second exactly helped decemberding working children hospital philadelphia related aid protect children rights close health problems children develop young ages doctoberrs treat accumulate future events charitable events future children passion like dedicate time aiding prosperous lives bit unsure going college wanted future exactly helped meaningful impact like climate finding jobs difficult helped thats like working towards common ultimately helped decembersion auditor since decemberded accounting ba mis working chubb allowed combine requirements practice got useful auditor pursuing better speaking professionally clients coworkers boss things said nothing afraid speaking clients ones teaching clients confidently get straight point wanted confident speaking get nervous presenting sometimes need personally need independent confidently presenting boss pointed advice overcome studying business learned suggestions thought afraid suggestions might used future results unless harder speaking thought afraid business need whenever thoughts might solve problem question regarding presented intellectual curiosity goldman rigorous intellectually challenging curious ins outs business used resources helped limits dig deeper wealth management daily basis got advisors analysts office catch ups time university hoping explore get could get met expectations financial shown effective ethics professions opportunity dive ar ap helped responsibility accountability integrity crucial colorcon helped progress future goals applied senior applications consisted essay wrote spoke passion diversity fashion beauty grew absolutely model western media gen bangladeshi little girl caused internalized racism self hate quite identity issues professional child like recent helped reach like included community fashion beauty technology consumer products target attending university primarch reasons chose attend knew wanted three diverse experiences time variety things future employers far managed digital marcheting billion dollar water heating company figure things less narrow rest came working seems guy answers working realized works knowledgeable departments across bradford white perspective someone knows better efficiently someone academically time get swing things past experiences planning key success yes seem minor starts little progress turns results excited term kick approach across past couple terms resulted success beyond excited third final ready better personally professionally strongly time setting success college like tech company corporate tech summer better explain summer since system considered boost ever specifically daily usage common known software called salesforce used companies industries marcheting software got bases learned ins outs allowed better performances comes email marcheting got software called trello tool used project managers need mange projects due dates complexity personally projects done entirety trello board gives insights progress projects required creative design adjustments talk developers managers websites production teams trello board better time management organizations every project finance business analytics provided working beginning businessman finance analysis opportunity improve business communication dealing business partners countries japan south korea germany usa etc learned adapted business cultures business future experiencing business fields strength weaknesses business pursuing journey destination right business control analyst finance risk operations jpmorgan chase unique allowed better understanding streamline processes months approached coworker creating dashboard eliminate excel spreadsheets leveraging track quality issues took quite bit time gather necessary configure tool certainly ran fair share obstacles however said dashboard reduced time spent collecting metrics hours per since presented prototype senior management held several demonstrations dashboard teams across plans undertake kind strategic initiative wanted knowing tangible contribution upgrades potential modifications feedback received overwhelmingly positive confident project completion ultimately learning streamline processes critical operational businesses looking ways increase efficiency reduce manual labor trend already gained considerable traction financial services development automation tools robotics process automation grateful opportunity carry forward gained third confident needed company considerations need considered analyzing approaching opportunity learned things pursuing revenue opportunity confident building presentations regardless audience additionally perform crucial anyone considering starting business understanding scope universe business entering things opportunity independently analysis key takeaways company executives going future gives whatever like dream building company native country colombia video technology future background understanding video compression video codecember video standards play development entertainment today things launching business business point working smaller form opportunity directly ceo senior officials opportunity ceo employees converses clients seeks potential partners getting better comes talking front groups considering severe anxiety comes got becoming making calls customers behalf business helped issue slightly perform better apsects business main goals properly groups interacting sometimes getting tough groups super quite challenging sometimes believer better points view whatever communicating counterproductive improved growing anyone productively near future suitable fit perfectly organize financial documents categorize target types leads keep update latest business news moreover deals match potential investors suitable growing companies financial analyst second looking enjoyed exactly looking due working entire time however working non profit working professional opportunity sports showed avenue enjoyed mentioned allowed develop learned effectively time productive pandemic unique situations health crisis establish routine get done quickly efficiently every morning get morning routine independently productive entailed days fixing broken links updating catalog days making excel sheets bookkeeping additionally got familiar courseleaf database years unique advantage knowing programs certifications catalog prior barely knew catalog catalog briefly mentioned freshman civic brought light coming like gained superpower beneficial completing years undergrad helped professional development started difficult immerse things anatomy medical device helped feet expect unexpected likewise learned write marcheting content prior addition helped professional connections useful opportunity figure automate processes given used critical thinking steps process could cut critical thinker helped given opportunity develop presentation presented process planning automating finance executives critical thinking used processes procedures developed useful public policy roles looking develop policies useful automation roles looking develop processes presentation useful classroom projects presentations tasked display making concise crisp needed without wasting time unnecessarily finance executives busy schedule presentation future careers need front audiences perceptive saying necessary need working company growing social media presence opportunity access larger social media presence could tracked followers platform similarly instead hundred following thousand professional learning network better meetings clients meetings staff write emails voices towards clients potential influencers reach including asking advertisements contacts confident point least perspective like bother contact problem making contact need coming making contact matters like trying engage influencers nervous ponder wording tone email almost minutes pressing send info conveyed properly towards became confident helped pushed anxiety johnson johnson related professional includes creating getting business earlier main reason came university excel professionally success network university far going johnson johnson helped towards starting company friends like minded coming wanted surrounded intelligent motivated confident students surrounded nature personality johnson johnson company related impacted passion ups getting business early connecting unique individuals johnson johnson get working health currently compared recent launched got strict differences nuances health countries since global project conducting generation z project helped get gears greased generation drivers barriers tensions motivations purchasing certain goods services assess win category business helped main professional entrepreneur business working gopuff learned fast growing works needed basis meeting longer term goals scaling business realized focusing building mission employees welcome theirselves company learned gopuff strongly learned takes get brand trial error wearing hats basis produced fellow gopuff employees produced contributed business gaining fundamental marcheting managing got closer vision feeling creating attended meeting gopuff founders gaining useful respectfully picking brain inspired smarch responsible risks business confident motivated individuals noticed business noticed stuck gopuff values goals aligned employees streak company employees instead sided aspects trained prepared business future working marcheting analytics helps better understanding perspectives marcheter developer found portal system helps driven opportunities working goals company successful required tasks communicate get learned delegating tasks efficient needed get desired expected outcome learned sometimes successful need company helped trust understood giving challenging teaching creative problem solve situations uncommon required adapting confident achieved grew done without actually fast paced main goals following software programs particular adobe indesign illustrator professional noticed either recommendation requirement positions interested seeing requirement positions clear programs likely expectation comes marcheting related positions upon vyera adobe illustrator indesign relatively quickly coworkers played learning process pointed towards useful online resources learning software programs professional setting beneficial standard understanding quality expected regularly using programs months allowed constantly improve like looking opportunities hopefully stand peers coming forward improving illustrator indesign using free time adobe programs photoshop financial largely done companies non professional setting done glenmede learnt necessarily type going future like far facing wanted get sense get future wanted open options international knew exist home country wanted develop professional could certain helped goals got taste business related nervous like disappoint eyes business mind working similar learned prepared acquired useful realized business related positions interested companies imagined left excited future instead scared hesitant hopeful future ready succeed helped get pursing estate nothing else started college entrepreneurship changed estate development term unsure decembersion estate working someone else saw treated fellow employees starters learned working someone else learned hospitality remotely talking connecting residents stayed estate became interesting since residents background estate talked learned things college found incredibly learned boss employ actually care workers note late unhappy basically plus months working learned exactly goals expanding professional network main reasons chose connections enterprise bank allowed departments bank talk founder bank george duncan invaluable development allowed head credit explained process evaluates businesses loans interested since enterprise bank smaller business stronger relationships employees superficial connections shows inadequate certain professional corporate requires commitment discipline need contributes significantly gained studies better organizing managing time scheduling etc attained excel better approach classes pursuing law helped narrow wise aspects marcheting noted liked time went realized liked vise versa created goals aspire utilize obtained departments company came realization okay college small slowly surely based healthcare curious positively contributed developed better understanding future professional goals better understanding wanted grasp concepts materials like advisor coming learned regards procedures methods keeping materials organized updated project involved going states filing guides became familiar forms learned exist fill background helped process working gained relevant future connections vague generated helped growing preferred better tailored finance accounting milkcrate brought remain stagnant food service wanted get facing opportunity got opportunity multi clients time zones got opportunity closely project helped professionally personally learned get things done perfect every enjoyed bbh amazing ever education system quite time working frightening foot like actual working communicate efficiently around unpaid top covid got supervisor however least attending weekly quarterly cooperate meetings shadowing project meetings scheduling meetings address problems supervisors acquired professional excel spreadsheets fact supervisor liked applied testament time spent communicate clearly speaking perfect english concern since international missing require goals editing excel spreadsheets require reading understanding financial parameters like cash flows savings prepared handle depth meets professional professional covid prevented happening exciting helps improve chapter like multinational corporation time business analyst helps improve analysis makes determine master ba future wanted pharmaceutical biotech opportunity wanted received opportunity experts connections worked operations supply chain teams opportunity projects used company years working solid open opportunities goals since moment started studying accounting main certified public accountant cpa exam apart thinking pursuing masters areas aspects future goals requirements need fulfill cpa exam must worked certified public accountant since director worked certified public accountant months spent corporate might qualify towards requirement need fulfil looking looks like working considering wish learned things prefer risk getting stuck passionate future move forward found taxation match personality lifestyle passions equipped technical studying combined soft gained strong candidate developed since kid fulfill potential closer fulfilling grown learned useful professional acquired pertains professional learning applicable jobs future searching wanted company experienced inditex biggest fashion groups biggest ideal getting retail works scale interesting operate perfectly fall apart opportunity better goals unclear started knew wanted finance exactly wanted company employer encouraged departments company could corporation inditex works works together helped improve intellectual opportunity departments exposed weaknesses strengths chose finance completely choice majoring finance searching masters degree improve step get relative get professional certain like higher mere hr thinking working technology company west coast graduating strive academically prep classes could ever actual experiences get workforce bit better connections early personally certain like wish already looking international finance example showed decembersion keeping accounting majors given explore areas related related cyber security specifically comes mis degree ultimately supply chain management related grasp technical soft like management upon entering senior came conclusion law mind looking dip feet legal got hired rutgers university exposed legal editing contracts dealt pharmaceutical shown sides law previously thought given newfound perspectives prospective wanted explore professions develop understanding final got bigger institutional investment management works got sit calls portfolio managers service officers communicate clients got rfps rfps institutional investment managers obtain business aspects helped working investment management interested science database management unfortunately probably need advanced degree probably looking finance related instead honestly technology programs offer mind analytic time project involved helped programs like power bi useful tool companies using technology business reason management aspirations business uses driving fanatics fulfills aspiration perfectly player sports operate similar startup company tremendous given nature company e commerce retailer surrounding apparel sports beneficial operate daily basis term success business interested marcheting reason without successful marcheting strategies company struggles expand get true consumer products fortunate marcheting positions professional sports teams seeing associated company differs marcheting strategies leagues intriguing perfect step marcheting acquisition implementation welcomed open arms marcheting corporate looking forward business marcheting growth general strive nbcuniversal networks comcast given networking resources move forward brand marcheting marcheting communications leverage steps nice friendly kind open chatting lending helping hand thats comes looking sports law inside talent agent personally time receive opportunity helped thought glamorous light law time allowed expected someone going improve public speaking professional develop project management opinion public speaking crucial like room improvement specifically develop project management future potential project management public speaking aside small meetings project management built requested presentation upon goals presentation presented included executives peco representatives therefore making larger audience used thus presentation allowed develop comes public speaking allowed project management assignment gathering notification database organize excel spreadsheet together presentation outlining process decembereasing njune national joint utility notification system backlog appreciate open allowing additional responsibility develop professional goals business learning company works interested supply chain works backbone company excel get feels like office setting collaborate workers like amazing teacher showing applications improve excel showing ropes collecting analyzing applications patient enough stay busy without putting stress pressure making finished quality ashley weidow meyer projects allowed aspects marcheting projects consisted looking compiling excel spreadsheets creating graphs charts editing updating powerpoints uploading weekly company blog researching companies involved southco inc joining international calls discuss upcoming projects housing clearer vision estate related running properties easy manageable stronger came together went smoothly helping easier essential knowing teach example sasha excel thanks leaving better understanding excel practice business classes starrez system helps properties keep track residents housing clearer vision estate related running properties easy manageable stronger came together went smoothly helping easier essential knowing teach example sasha excel thanks leaving better understanding excel practice business classes starrez system helps properties keep track residents starrez properties software keep type control whofs living properties money going properties software like starrez properties keep track residents housing residence knowing picking looks like helped view longer term goals better supervisor influenced bigger picture expand goals initially professional communication professional better communicating communicate ways criticism personally often struggle read someone tone faced extreme criticism harsh feedback extreme circumstances holding together intense discussions faced figuring handle situations reach right advice assistance observing management style affected discovered strive communicator leader learned treat professional pursuing confident outside zone ownership several projects contribute input brainstorming sessions quiet follower leader tend get nervous contributing thoughts fear rejection ideas allowed confident sharing ideas okay ideas sometimes working organize projects get feedback coworkers contribute thoughts creative ideas brainstorming sessions marcheting strategies provided project allowed collect week marcheting emails coworker got organize wanted business discussion brought zone pushed confident communications presentation working supportive helped making progress towards hopefully progress professional pursing terms leadership natural leader wrestling mat classroom fraternity workers quite older challenges found positive encouragement patience helped reach older crowd get respect listen old college supervisor respectful acting mature helped respect leader future law helped get leading professional setting priceless abroad milan italy aspects experiences pursuing independence resiliency country around rely situation learned alone carrying responsibilities hand address resilience days could purpose working company however tried learning growth working bachelors boathouse helped improve interact around helped distinguish professional potential costumers satisfactory future improve abilities international already sticking abilities connected communication network circle wanted company larger national influence sap greater database employees communicate speaking microsoft teams connected around globe learned exactly sap roles abroad either state country helped unique workforce interested professional goals pursuing trying sports soccer football hockey baseball etc sports older learning get started thought learning need prepared future future working remotely soccer tour company ireland business development enjoying fun however challenges due fun recruit kids join tour times talking athletes parents working website talking coaches sports directors gained every hundred percent ready wait get started get wait downfall getting paid get decemberntly paid however working soccer working sports fulfil wanted professional university marcheting professionalism workforce college ready get preliminary marcheting post social media flyers recruitment posts students recipe week created ebusiness card spread word community enrichment fitness network tested merchandise like attending webinars got marcheting areas business supervisor nice available answer questions concerns weekly meeting week weekly log describes activities concerns week us time discuss anything wanted marcheting discuss things wanted supervisor keeping professional helped gaining marcheting professionalism supervisor communicate clients stores asking sponsorships july helped professional allowed expand connections linkedin addition clearer understanding projects students could opportunities friendships greater perspective addition experiences resume professional ethic improve ethic puts hours week basic everyday working efficiently certain goals per week actually working ethic system succeed future anything academically personally professionally necessary attention detail required fully directly attention needed fulfill success short term company inspire teach majoring finance looking specifically areas financial analysis trading securities term financial advisor company shares goals morals financial bbh learned money management asset allocation things rather operations financially treasured learned past months grateful puts spot get rolling aspire finance proving honing excel boss projects asked excel income statements tables certain items future efficient workforce almost businesses excel got since finance majority projects given classes excel thankful got excel excel projects ready get familiar softwares businesses like ahead curve excel began parents worked pharmaceuticals entire careers younger wondered actually working veeva opportunity pharmaceutical said comes building learned qualities prioritize looking future coops jobs eye opening helped narrow professional rest main going simpily get familiar week already reaching potentail clients incredably basic script expected challenging since worked changing script given actaully things could happened forced step outside zone creative selling normally goes failure nicest thats signed things learned need keep trying paths eventaully works goals pursuing wanted engineering design process completing resolution management consultants achieved created carbon calculator tool complex honestly impressive proud completing took couple months working optimize fix problems user guide manual could used improved future resolution management consultants working project learned engineering design process times must better learned assume designing correct results showing moments vital fundamentally excel tabs making calculations exactly assumed calculations carbon calculator tool complex understanding tool created helped presentation created user guide manual allowed easily talk type tool works created learned engineering design process creation carbon calculator tool using microsoft excel main reason business open international international companies whilst international experiences international company ties around globe unexpectedly step responsibility assisting sales latin america interact customers region conversational spanish business setting exactly type valid working customers business segments international meeting calls ranking personnel company usa got sit meetings icelandic ceo calls counterparts united kingdom exact international hoping ready fields goals pursuing working towards degree accounting fields accounting specifically aided accounting starting little accounting learned tasks returns bookkeeping aiming management consulting completely several aspects process optimization analytics relevant tasks consultants undergo necessarily wanted however found rewarding professional goals larger aspirations making difference pfizer tenure dozens clinical trials therapeutics works addition ongoing related covid vaccine infection drug helping small rewarding goals going open opportunities dedicated sheltered open trying things open honest communicated boss allowed chose assistant special projects entire remind reminding practicing better open opportunities proves employers hardworking dedicated means throw time adult actually works learned interact coworkers professional manner learned write professional emails letters messages via teams got hands variety projects actually helped company heard spent gone traditional mistake cycle college students cycle referring usually time college students basic effective habits time management accountability active listening getting distracted etc taken classes remotely easily slip get distracted unmotivated working home comes done isabelle recommended read habits highly effective stephen covey book helped helped meaning indirectly influencing importance wellness taking care mental health time started incorporating time meditate journal affirmations started allot time schedule guess sense overwork burnout marcheting graphic design assistant creative dream business creative since design art background working towards continuing staying marcheting adding graphic design minor design portion passionate got opportunities majoring finance business analytics going knew absolutely finance oriented company seemed interviewing kind explained wanted cyber security livent given free hand wanted worked subdivided network security project management interactions vendors cyber security got host events meetings involved wonderful trying management systems professional trying get resolve technical issues encounter forward us communicate troubleshooting phase implement resolution resolve technical issues reported cooperate coworker configure proper settings devices clients smarch investments helped since discussions boss recommendations stocks effectively communicate professional setting improved time management grateful got wanted studying interested kept motivated effort academically learned colleges offer built upon classes directly sports business provided sports related company ran takes get pieces company moving together synergistic ally simple sports business absolutely nothing projects worked allowed parts like like professional goals college earn assistant ga division basketball exposed entail watching current coaches staff assistant outside practice games ga entail involves working behind scenes operations tasks like recruiting game prep tasks ga business activities basketball working business sports dream earning foot door sports professional trying challenge working going beyond parents businesses hand inspires every learned pay goes got communicate departments across company exposed learning areas worked every could gives opportunity getting masters degree helping narrow like get masters get masters accounting need including internships taxation helped get closer helped professional goals got interested working nonprofits milkcrate got takes nonprofits financial prep investment banker got exactly wanted prep investment banking however portion discovered like investment banking started instead found true passion growth equity working stressed rather enjoyed wanted efforts changed progress investor private companies helped process took confirmed desire accounting liked accounting decemberded recently thinking might like add minor took like accounting professional setting thoughts confirmed loved getting accounting confirmed accounting future potentially accounting varying fields business like project management consulting human resources partially achieved current learning project management entails tasks like specifically learned project management pharmaceutical sales therefore get detail process helped develop professionalism immensely virtual benefit future comfortably etiquette expected online meetings interactions pursuing becoming rounded professional adapt situations adequately adequately related since mainly focused engineering machine maintenance adapt sales professional since prior background subject using tight knit sales services adequately sell customers businesses need maintenance services went expectation receive excellent educational excellent challenges obstacles like university hopefully distinguished honors successful international business requires dedication commitment experienced days stressful problem solve obstacles communicated player unfortunately led lack motivation however quickly discover strengths worked quit realized thrive diligently succeed related professional goals pursuing introduction financial sector since classes pertains future yet true introduction found things pointing right direction helped academically found needed perfect every single time detail oriented working trading allowed grew investments sector general allowed working trading like takes cfa seeing trading allowed technical trading increase communication every easier communicate effectively opportunities presented like candidates communication past six months increased learned communicate clients candidates workers executives prepared communicating business aspects amazing allowed get taste basis factor led education presented colleges could aspects professional however pursuing professional aspects college making prepared decemberde follow therefore target building construction already professional making emails phone calls attending meetings problem solving aspects future professional already led closer could imagined towards reaching continued strengthen current overarching problem solving main looked gather stronger problem solving professional simply solve almost related problem success assistant project target building construction constantly communicate solve problems project stayed track conclusion allowed explore professional gather stronger problem solving goals successful expand business entails aspects business paths challenges risks business successfully business develop huge ins outs economics finance accounting business analytics business administration time pinnacle allowed successful company operates maybe company opportunities going excel excited future headed helped collect databases helped excel previously received helped type lifestyle business leads expect took accounting finance got working accountant remotely move reach professional goals easy decemberding without getting going classes teach learned like working taking initiative explore projects besides expected going forward small company transition finance received sciences veeva learned opportunities science working directly pharmaceutical companies hospitals doctoberr offices going little almost direction came wanted veeva helped started figure outcome veeva learned vast science companies quick google search learned types company pharmaceuticals biotechnology medical devices biomedical technologies nutraceuticals cosmeceuticals food processing better types classes provided ametek organizations business applications preparing packages returns giving fortune company professional goals like like sector reasons better business classes might later microsoft excel personally future opportunity self development approaching colleagues clients customers goals influential professional goals pursuing endless opportunities leadership projects example zoom meeting executive vice president snider hockey boss told meeting moderate meeting came unexpected ready tasks boss provided questions could questions boss provided simple wanted boss provided questions keep conversation going teach interns lessons heading got meeting leading meeting nervousness gone helped leadership got making running smoothly allowed share clear messages tough ideas easy trust elaborate complex ideas share interns working interns trust project working working ed snider youth hockey foundation networking staff members boss assigned reach staff members every week getting meeting meetings gained snider hockey received advice getting frustrated sticking shown strength learner came virtually financial performing par ftes curiousity motivation beat taking away serve challenges professionally pursuing things things stimulate intellect overcame gap profound done fp line going keep looking things regardless pay branding opportunities greatest engagement success pursuing successful like realized currently finance business analytics worked months talk types communicate kinds worked hvac things worked office setting lawyers behind scenes communication need improve provided professional pursuing get philadelphia commercial estate development companies approach execute project grew parent wanted father involved company called pmc property based philly growing exposed things company operates hunter roberts approach construction time construction management firms east coast country estate development perfect helping open eyes construction projects built takes efficiently time time hunter roberts superintendents project managers method used times construction given opportunity travel manufactures construction companies producing right material tasks took pmc eyes construction analyzing like analyzing reading articles analyzing stock charts like dream investment banker get top analysist three four years analysist showed areas need sharped memory showed easier ways success professional colleagues journey helped reach professional goals time management key learning organized helps get done includes writing filing knowing documents making keep habits learned rest time management key learned get done however learned time get done knew sleeping everyday wasting get hours sleep need going wake earlier get done early like mentioned earlier learned operations bbh reinforced desire company bbh archaic need evolving time keep challenging stepping zone english language timid scared converse like judged upon english helped worked amazing colleagues supported past six months encouraging friendly supervisors offered hand whenever needed constantly affirmed future profession expert connections alongside like hear passion took get direct seems similar going extra mile get working mondrian specifically observe tends retain employees dedicating time employees experts respected jobs future fulfilling valued whatever assume learned every opportunity improve middle decemberded knew currently fulfill future effort forward connections dip professional allowed better future main business spectrum figure wanted rest helped business realm originally considering applying likely going financial similar marchus millichap figuring realized business due advice coworkers figure occupations business likely business likely estate expand business fields better could absolutely tell every single worked marchus millichap cared wanted told get professional involved sports either agent someone business sports involved phone calls coaches agents getting connections helping goals general los angeles lakers allowed intricacies management sports equipment sports college seeing intern allows future need managing future daily tasks expanding understanding future general dream need bottom rise ultimate general need runs since working equipment working towards need aspects running sports example like sales recruitment initially relevant future weeks went starting open pursuing potential starting university working technology meaning software databases knew needed better technology huge business thrives working companies database hesitant could let alone database asking questions guidance database actually editing making beneficial company marcheting technology innovembertion management technology innovembertion management technology current helped confident learning technology asking needed professional capable leader time spent seeking opportunities placed leadership delegation type roles time vette projects including organizing spreadsheets future planning business development graphic design employees vette enabled offering opportunities asked helping problems leadership learned vette eventually professional acreer finance investing properly invest earn save money like earn enough money early worry money get marchied children etc past realistic worked primarchly supply chain company worked raw materials subcomponents manufacturing worked every supply chain shadow finance monetary business getting solid salary per hour sustainable wage growing portfolio investing earned money invest shadow coworkers hand financial company worked director financial planning analysis advice financial analysis predictions already beneficial getting involved company exposed facets business grateful opportunity benefit future however better leader personally satisfied time times direct fellow met physically standpoint learned programs using line professional standpoint better player essential working corporate setting times became better player given fairer self assessment college professional figure wanted several ideas wanted narrow without insights daily lives individuals working careers working business development associate small step figuring type future working company allowed hands variety tasks project everyday every week reach linkedin interested using service learned talk hundred conversation hundred times suit however fne projects guide students introducing recruitment found enjoyed projects could bit creative nonprofit improve lives minority thought realized whatever future objective working earning money soon get tired dull smiling saying thank sense accomplishment appreciation things worth worthwhile trying independent proactive finding solutions future pursuing figure opportunity liked prior thought fits thought majoring accounting taking oping pcdc accounting right figured accounting learned enjoyed operations business time pcdc given tasks search contact vendors supplies needed office opportunity contact clients remind register found joy learning pursuing allowed reach types goals including professional wanted stable applying companies related finance accounting looked seem interesting knew bare minimum insurance auditing company however global indemnity exceeded expectations regarding firsthand business simple keeping rest together starting daily basis setting straight pride tried routine following closely additionally professional luckily supervisor rated highly boss satisfying hear unfortunate could physically office home frequent calls check ins pretty introverted general social capacity interact awkward actively seeking attention grew communication forced outside zone interact employees supervisors managers daily basis communicate fellow human resources assist need asking questions better efficiently soon stepped campus eventually goldman sachs fulfilled passion financial marchets surrounded amazing opportunity alternative investments known certainly helped reach developing thorough understanding portfolio strategy recommend right investments professional university marcheting related developing implementing marcheting strategies increase enrollment office lifelong learning marcheting strategies utilized content creation social media management facebook groups outbound messaging social media profile optimization huge analyzing trends content engagement appointments essential getting professionals enrolled noncredit programs content marcheting analyst community deloitte comcast necessary qualifications skillsets backgrounds coordinate events social media content produce measurable roi skillsets stand candidate firms deloitte comcast professional pandemic better working vector solutions exceeded expectations providing stable working despite barrier professional working till joined vector solutions curious busy schedules corporate taking pandemic ambitious challenging balance financial insecurity family numerous jobs handle closest communicative trying working basically time car dealership thompson lexus total hours plus hours emg sports short term monetary imperative father struggling stage three colon cancer needed available often plate top priority mentally physically drained running satisfy dearest ones reached employer overcome greatest obstacles contributed multitude ideas crossing lexus sports agency bringing clients eagles wr travis fulgham car endorsement sponsorship addition contributed time allotted rather submissive readily available boss needed deserve credit trying employer used intern putting hours drastic us importantly successful prioritize communicate furthermore need balance time efficiently expect employers around schedule need foot establishes trust credibility vehicles toward successful leader business analytics requires analyze performance review dashboards using power bi dashboards contractors monthly dashboards host meeting contractors improve upon company utilities dangerous simply learned dashboards presented contractors however step meeting contractors allowed presentation actually analyze actually classes analyze using formulas formulas software already created classes wanted business analytics given get hands appreciative enjoyed workers whenever went office whenever needed anything encouraged wanted supported wanted might reflects leadership ever since came freshman wanted improve upon leadership communicate effectively efficiently inspire learned insightful lessons improve mentally academically given leadership positions teaching students material leading peers third party events guiding coworkers technological system correctly allowed develop leadership backgrounds ages provides opportunity peer significant sharing future pertains leadership characteristic teaching learned focusing developing leadership allowed areas leader appreciate working parts leadership allows leader efficiently effectively grateful opportunity independence given allowed shine leader showed staying company oftentimes results promoted higher company goals higher investment showed stay dedicated company young lacrosse player probably around years old already director pursuing seeing freedom gives benefits appealing knowing positions couple years college helped achievable company aligns treat employees relaxed fun office times office since interested starting company time working saxbys invest time building connections company individuals interested getting close nick bayer ceo company ties close entrepreneurship knows ceos helped saxbys since led company received sceo superlative likely sceo time business receiving meant direct impact finishing reflect learning working becoming confident general since becoming grasp foundations means partake professional interpersonal conversation professional employees motivated goals like better navigating networking focusing completing professionally learned vital improve greetings professional train working time allowed standards comes fundamental healthy lifestyle lets hand learned preparing fall term things mind like strive towards accomplish discover coming skepton construction expect majoring finance construction spark turns past construction possibility future return wish keep pushing forward mu journey learning interests interested finance intend finance cycle compare industries fitting prominent collaborator regardless direction goes taste working corporate finance relevant prepared strong communicator responsible duties raise concerns members peco available whenever needed created successful teamwork atmosphere hoped addition like belonged meetings could questions countless opportunities prepared collaborate future particular weekly check meetings mentor time designated teach things directly progress project provided working someone essential point get prepared answering making jobs easier indication collaborator opinion easier reaching provided introduction law someday legal wanted learned lawyers generate money going webinars sitting phone calls lawyers showed lawyers useful stay professional advice startup beginning stages largest goals simply satisfied pride received whoever whatever going received regardless thought time went let immediate rejection disagreement discourage reaching satisfies superior main connected main marcheting proposal working time main social media presence instagram presentation boards meetings emails detailed increase outreach interaction following furthermore implemented strategies towards increasing following suggesting ways promote products gathering whilst presenting ideas concept company however simply busy true marcheting women dealt already plate honest understaffed constantly inundated meetings schedules minimal break time project regardless fulfilling conceptualize ideas company pushed like ideas fact tried implement simply could fit yet already busy schedules e commerce time online sales going future convenient time britestar get hand e commerce websites directly interacting got websites pleased got hand instead learning someone else goals short term wise professionally corporate setting setting challenge perform business recently taken advance motivation professional wish higher rank bigger corporate company wish business planning analysis helped collected recorded revised wait utilize trying improve upon entering solve quickly arising problems head came situations issues needed immediately solved situation submit project upcoming deadline several edits unaware enough time calm strategically could quality projects deadline quickly approaching sat brainstormed ways could quickly decembereasing quality found implemented theory successfully get business reading prompt came mind communication communication key element every facet business considering finances dependent business conduct billing billing deals lulu country club accounts receivable essential business cash flow objective billing communicating members whose payments tardy talking money quite must remain tactful communicate members financial status daily basis improved communication greatly allowed improve professional jargon confident communicating professional peers clients practice communication essential element business matter takes lack communication room error mistakes arguments understanding communication envelopes properly dealing conflict resolution situations realistically challenges going arise challenges equipped art communication thrive business open communication criticism superiors peers subordinates almost issue easily solved parties involved pride egos aside open willing communicate compromise professional coming financial company expect receive opportunity soon allowed early like could pursuing moving forward since law deals property law helped move toward learning property development either developer practicing property lawyer bulge bracket investment bank investment banking wealth management division goldman sachs helped network individuals networking individuals departments narrow interests gained thorough understanding bank makes unique confident compare contrast banks interviews importance exceeding expectations time suggested implemented operational improvement gained trust respect colleagues individuals offered application time ways classroom setting applying classroom form personally latter former learning classroom prove effective applying learning huge learned couple years learning improve upon introduction get company despite becoming fully online stop learning favorite assist johnson johnson vaccine trial facilitated rutgers institute translational medicine science employer opportunity goes planning carrying trial magnitude contributing worked including doctoberrs faculty creating reports analyses structurally supported eased example contributions coordinating groups schedules university sites helped transparency doctoberrs employees schedules designed maintained microsoft excel tool track temp employees weekly hours calculate payments communication time management analytics developed working rutgers institute translational medicine science guide future working clinical trial allowed acquire understanding scale projects gained knowing contribute global term grateful opportunity excited future goals figure helped kind leader someone cares employees willing shown health insurance older estate boss peaked estate valued fact necessarily saw came open mind open mind advantage vulnerable learning process challenged critical thinking asked questions volunteered outside zone spoke every company careers visited sites office locations spoke whenever could add turner offered creative freedom platform share ideas construction ideas company open minded perspective years business unit seen since coming open mind helped quickly encountered success better perspective behind taking company necessarily familiar line challenged daily given pushed critically lessons learned six months pushed learning realm business farther coursework prepared return classroom second turner better understanding direction thanks open mind ultimately buy private equity growth equity venture capital introduction helped term working organized daily responsibilities working keeping track worked documenting daily processes keep notes files organized since worked closely worked documentation kept clear organized essential success professional constantly looking methods improved existing created ones looking forward implementing daily knew need figure time future wanted avenue college switched sports business certain matter sports variety experiences social media content planning posting live highlights apart athletics possibly greatest basketball ever seen forget experiences inspired sports organizational schedule report needed sometimes days week sometimes times places charge remembering times places helped practice organizational carried carry going professional limit learning solely based mean wanted professional social areas whilst solely finance yes decembernt accounting finance whilst tti stated answers worked fields including finance accounting sales worked teams project management creating projects together beneficial strengthen areas going college strengthened areas beneficial grateful strengthened social environments already working difficult projects figure together efficiently online classroom settings return classes fall winter terms satisfied whilst finding fortunate get small private easier time asking questions since overwhelming busy periods open answering questions helped proactive ongoing realized lots reason nervous asking paths ended pcom gaining accounting workers primarchly worked hospitals came pcom hospital accounting edge since pcom ran clinic floor building worked advised keep helped solidify decembersion trying public accounting working introduction accounting bigger challenge classes hospitals told textbooks financial reporting since segment accounting primarchly worked structure learned helped proactive professional learning figuring topics like helped progress toward specifically exposed positions exposed responsibilities gaugust interested roles like explore future main except money longer term companies years rather spend years company exploring positions making sustainable relationships main members get meetings conversations company helped progress towards tremendously hear positions company thought existed time comcast sorry nothing related goals created summer custom design revolves around collective action marcheting social justice explore ways business systemically equitable player surrounding ecosystems community rec showed viable sky limit giving grants black artists philadelphia black music city simply getting creatives paid type crucial economy strive personally professionally develop type sports like step learning business sports pursuing mastering excel opportunity excel sheet excel sheet everyday excel working awhile mis classes attended workshops watched videos online excel need mis got helped analyze organize current since added minor engineering gained genuine sourcing atain supply chain fuller understanding personally opportunity learned things entertainment particular general experiential marcheting given variety experiences things actually interested experiential marcheting entertainment surrounded excellent peers mentors office boring repetitive learned working entertainment project finish aspects making project successful tale clients needs mention addition aspects project thinking staying game things thrown stress crunch time situation addition fulfilling interesting future professional possibly future understanding entertainment got honestly insightful perspective searching general future professional six months cozen ofconnor given friends tough interacting basis looking going process need pace scenery however cozen presented knew opportunity could pass related kinds goals adapt necessarily making six months regretted fact office purpose goals include adaptable things control fell category every financial enter everyday cool saw went finance company basis financial systems entered systems succeed hoping hands financial concepts working directly aspects finance emotions completing online peers coworkers adjusting system obviously covid could done solve problem however main assisted resources needed tasks better understanding served starting foundation wanted professional future chubb answer ahead coops standpoint maintain gpa prospect employers faith standing professional since undergraduate journey strengths lie satisfy going forward opportunity explore accounting potential given professional setting strengths weaknesses concluded accounting time going forward however business learned accounting heavily connected finance adding accounting minor depending schedule learned require diverse allows open communication found vanguard lastly learned strengths lie communication opportunities meetings problem solve employees thus future must require strong communication culture must finance accounting accomplishing professional exploring investment management financial planning industries since starting passionate professional matters lost loved simply enjoyed around enjoyed primarchly finance starting dove realized passionate flexibility control sge helped wanted finance aspects wanted someone enjoys analytics financial analysis projects simply sitting meetings asking colleagues include projects colleagues nice enough teach concepts financial analysis professional standpoint helped figure wanted standpoint helped types classes wanted clubs wanted apart standpoint satisfying finally found enjoyed knew wanted analytical prefer open relaxed like sge micromanagement tap creative get done helped growth twenty years old live parents took jersey spent summer living working professional learned things developed relationships professional communicate better developed social around professionals opportunity join workforce early age allowed corporate functions companies operate business getting opportunity early addition gives future coops gotten corporate get banking institution future compare coops figure fit reflect time working time addition given opportunity network professionals get better understanding academically professionally successful example questions surrounding knowledgeable finance getting talk allowed experiences got today mentioned biggest takeaway given finance post grad figure finance related professional goals working met extraordinary lots tips future colleges accounting mom controller yale means head accountant benefits working college working thought leaning towards college future college defiantly need becoming familiar challenges vaguely familiar common problems deals company expansionary phase tackles challenges software company kredit allowed business company marcheting unique intermediary prepared terms opportunity nlp models working boathouse improved interact customers coworkers optimal satisfactory working found lack personable critical sharpen described accountant personality standing apart communication future jobs relationships beyond individually successful businesswoman allowed succeed towards goals accomplish tasks individual pursuing contribute towards bettering company writing communicating refelects larger explain complex financial arguments every week responsible compiling current events surrounding marchets economy brainstorm investment strategy insights write send clients media week drafted least sometimes three sections writing performed undoubtedly better writer compared finish saw significant improvements going forward utilize variety environments goals mind primarchly cpa backup careers fall accountant budget analyst financial accountant staff accountant guarantee positions general developing working office settings third involves gaining general computer microsoft excel powerpoint programs business company helped receive hand working office requires patience tasks exciting spontaneous practical education require hustle ambition utilized dedication tasks tools excel introduced business applications equipment companies sellers holiday seasons get hectic tedious business smoothly necessarily accounting learned accounting courses jargon better like accounts payable operations analysis perhaps learned future courses better yet step closer achieving finding main allowed step analyze relationships management hierarchy someone taken away easy forget human makes mistakes production supervisors managers seen easily throw blame yell get upset without seeing actual problem seen managers dismiss beneath going okay assemblers shocked ever done asked dumbfounded assemblers worked years helped twice talked professional entrepreneurship since company worked smaller scale participate insides business managed witness company financial ran management programs company used process price proposal personally might pursuit construction ideas behind adjusted implemented fields future perhaps business future professional notes business successful elements example process company profit entire management cash flow key aspects successful business however rare fortunate participate firsthand advantage makes business profitable lasting opinion entirely goals personally academically professionally hoping improve leadership effective strengthening decembersions calls based judgement sense essentially got worked digital marcheting however hand like wanted far goes non profit completely hate nonprofit companies interested pursuing aim digital marcheting traditional profit company hoping coops profit companies regular time positions addition receive effective training coops employees worked eca respond emails like enterprise time could legitimate professional future contain professional digital marcheting elements mining marcheting analytics google analytics etc transfer education goals open nonprofit allowed nonprofit organizations function funding sponsors working glenmede found contributing development professionalism interpersonal introvert communication hindrance informal formal settings grown increasingly aware significance actively improving communication tend toward activities involve interpersonal interaction delighted accounting interesting realm number cruncher like safe excuse get zone accountants stereotyped behind scenes contributes substantially process simply need faces carried mentality realized stereotype far correct nature require communication indispensable element almost went became communicate effectively via computer screens international decembernt proficiency english slight trouble communicating managers however thanks helpfulness friendliness free questions clarification encountered unfamiliar problems learned without effort communicate effectively better impact mindset carry future introvert talk questions key professional development business entering wanted broadend network fully succeeded challenged reach higher ups company asked experiences appreciated ambitions willingness turn given future helped figure direction lean towards terms helped get small marcheting business looks like wanted decemberde could time concluded get marcheting included topics branding advertising enjoyed get somewhat hint could near future goals purpose step closer making ultimate decembersion professionally expect anything super since professional wanted mainly learning ease learning like desk like working corporate lucky fortunate time glenmede getting posed questions considering beforehand corporate hr could working future working financial institution could foreseeable future might answers questions begun lately pertain professional development spend remaining time years main aspects chose hr could foresee future could hear invaluable comes time attained improved upon hoping develop bettering communication verbal written online etc adapt situations managing time efficiently learning organized could better taking understanding mindset someone working talent acquisition learning professional analyze potential candidates resumes universal learned could situation distribution expand learning distribution planning logistics behind explains processes planning makes effective distribution flow interesting since operations supply chain management helped daily tasks goals time solid like future perfect allows explore interests paths years going law undergraduate studies policy law compliance services solidified interests going law provided opportunity compliance law university policy interact office gone law get advice hear peoples hand experiences often assigned policies conflict fraud waste abuse ferpa hipaa state authorizations assist editing university trainings based policies found interesting engaging appreciated compliance context educational institution rather corporate corporate enjoyed compliance handled institution learning confident law prepared contribute goals professional goals communication improved fortunate enough interact individuals types settings speaking usual subcontractor communicating wonderful clients thorough communication easy allows deeper accounting finance future accounting finance classes learned classes marcheting sports business fanatics opportunity majors companies marcheting emails backend promotional banners learned planned scheduled fanatics connections opportunities often opportunity company weekly mugs meetups chat someone formerly intern time chats questions goals eventually time network office went phillies game worked daily basis opportunity face name getting eventually like either sports league individual confident connections greatly future goals reach anyone willing cycle sudden looking positions started closing defiantly disadvantage compared students preparing found could college impress employer example future students ever desired peruse costco got managers supervisors hand known goes making schedule accommodates employees requests making coverage shifts constantly pursing leaving impression professional aspire youngest learning departments showed managers flexibility tasks quickly accurately lasting impression managers impressed offering soon cycle started knowing lasting march could successful search future knowing goals finance accomplished looking sharpen areas knwoledge liked office setting began search hoping rather fully like office schedule hours taste like office meeting working fellow workers allowed advice meeting workers interns networking like networking building relations virtual difficult liked live office achieved taking neve helped figure things future went mindset exploring came realizing trying reach utilize creative business considering switching marcheting creativity key employer allowed creativity brainstorm website unique photographs exciting social media posts boss encouraged explore creative almost free range creating image socials website lucky enough opportunity realized wanted future encompasses writing business excited leads future thankful showing pursuing time earth going living rest singularly focused passion takes precedence wish clearest walk away better understanding might like ended time confidently pursuing center future natural aptitude right imagine fits needs hopefully soon remember leverage primarch reason chose get several working experiences resume navigate types employees working environments tune relevant past six months variety helps develop rounded skillset pay enter workforce college prior looking pandemic challenging things might need willing adapt gained perspective resiliency searching upset things going took step lives millions unemployed struggling families despite continued search jobs opportunities beginning employment overwhelmed responsibilities mistakes tried analyze wrong learned built enough things perfectly importance knowing move better grateful helped strengthen network international programs partnerships gained understanding complex aspects higher education professionally academically plant deeper roots underclassman working towards goals globally minded citizen office global engagement perfect worked workers projects partnerships abroad worked easily accessible students prompted adjust planning incorporate global experiences time utilizing intensive courses abroad maybe oping abroad network university could imagined expressing interests supervisor connect resources helped expand pivot goals making newsletter interviewed faculty members accomplishments connect decembersions got putting together annual report accomplishments reading dissecting working engaging easy digest resources passionate professionals connect learned inspired time simply brought amazing programs offerings attention showed effectively sell products train learned recognize audiences cater wants needs importantly learned practiced leading training moving opportunity teach office train professional strive leader wanted business need properly train thanks better prepared future received c round week packed belongings move college park md prestigious aerospace engineering company called genesis engineering solutions considered among brightest minds ever connected astonishing stone birds aligned true goals pushed forward personally academically professionally greatest afforded move state live pursuing goals however price marchland freedom every everyday surrounded friends sometimes lose sense self clarity true goals academically forced uncomfortable everyday consistent supply vendors limited time billing every far busiest personnel must double check nearly every line exact amounts professionally clearly huge jump went working public works trashman working incredible genius company revolutionizing aerospace eyes potential opportunities wait explore goals sustainability got develop topic business engineering going classes learned move forward sustainable green future goals personally better roles sustainability allows narrow company livent clearly goals forefront company learned livent community company livent healthy welcoming allowed supportive like minded setting better company productivity main aspects companies align goals classes sustainability forefront tied old ways engineering systems reach departments helped significantly learning particular past months connections ugi employees involved digital marcheting environmental sustainability customer relations legal issues brief yet effective meetings helped better understanding variety fields available ugi search completed necessarily tied future completed useful nonetheless communication listening attention detail relying need matter wise apparent every time ugi learned managing projects specifically managing ugi currently going changes watching changes unfold mission eye opening despite pushbacks obstacles project management continues hold meetings effectively communicate plans overcome challenges realizing goes project despite piping underground completed gives entirely appreciation utility construction workers realizing accountable responsible tasks smoothly managing effectively adapting alterations relevant management company need observe supervisors wanted better understanding feels extreme example better perspective general university secure manufacton helped future freshman intro classes brushed surface marcheting time manufacton saw startup lose sales obtain deals get acquired dsi digital offered bumpy road companies however pushed closer received around hubspot crm tools aspiring marcheting professional overstated learning hubspot going time manufacton decembersions activities crm without makes difficult perform tracking customers sending emails closing deals hubspot utilized tasks manufacton leverage learned going seamlessly join hubspot helped marcheting decembersions compete peers going second goals improve public speaking done exposing customer interactions networking thid general assistant mainly supported helped tasks main professional goals enhance verbal communication professional beginning afraid answer phone fear answering inquiry wrong nervous communicating executive hr employees however confident professional setting enhancing verbal communication like public speaking beginning uncertain wanted unique fell areas interests organizational management college sports sometimes bored working college setting added sports management kept organizational management completed grateful allowed enhance core beneficial later working understanding chain communication started biomedical engineering switched started pushed zone classroom business adapt quickly said round works succeeded meant business development helps narrow downsome paths post got office topics strategies classroom personally applying professional collaborate coworkers office questions office office limited tv movies occasional visit dad works however changed allowed hand coworkers interact happens workday terms meetings things working employer office corporate setting allowed ultimate vision securing time enjoyed setting meetings workers employers discuss action budgets spreadsheets soaked learning essential lesson communication patience found tempo adjusted schedules proud towards marcheting better candidate institution primarchly focused supporting poc sponsoring charities organizations events geared towards supporting outside giving community beyond efficient without losing integrity quality done process operations incur less expenses offer quality products prior becoming efficient used six months merck analysis proving cost based decembersions proof numbers improve process daily tasks projects came experienced knew little expressed knew little marcheting business wish better understanding prominent business today society understood social media extend accounts noticed applying management decemberded marcheting ones entering marcheting interviews realized little knew expressed curiosity supervisor given amazing opportunity social media accounts recreation center eager express ideas thrown guard supervisors workers trusted extent running accounts past asked stay classes keep accounts date shifts given huge responsibility appreciated constantly reassured responsibility amazing feeling professional passionate working victrex perspective grateful showed types motivate giving better understanding eventually get got plastics interesting keep coming forward helped wider view industries business business sectors could thorough candidate employers thank victrex taking allowing ton sectors aerospace automotive electronic energy industrial medical aerospace electronic medical sectors interesting seeing direct applications plastics helping sell iphone speakers prosthetics e cigarettes started giving sense functionality business system actually together ultimately used thus giving passion useful professional seeked experiencing corporate setting allowed couple months corporate cigna corporation fully accounting finance placed securities exchange commission sec cigna could get accounting looking obtain corporate example biweekly meetings showed needs prepared questions concerns document process completed meetings held reason busy second schedule meeting listen question concern writing professional emails toned corporate significant takeaway managers corporate setting government filing oriented like sec tough managers demanding came deadlines flawlessness wanted tasks submitted clear record authors corresponding proofs instance learned initials enough serve clear acknowledgment author document left initials working time became norm crunch times like post ledger lock whenever quarter ended learned working hours normal corporate accounting rude comments reduce corporate stress planning business analytics analyst worked google sheets ended realized like analyzing spreadsheets professional finance im exactly yet im learning like dont like related company global indemnity allowed exposed realms finance working months straight things time knowing exactly finance allowed helped figure like dont like directly related deals analysis started star scholars project worked census got taste perform analysis sparked bit hire almost direct result star project ibx specifically health care learned analytical perspective need perform analysis working helped boost qualitative analytical eventually economics possibly lab economics analysis economics need analytical later studying intricacies law goals liked let hand small business like since online owner excel direction running company goals working investment management macquarie exactly created connections macquarie company travel since macquarie internationally based company working travel learning excel softwares forced adept excel confident abilities asked software called power bi time learned add resume interested possibly working pharmaceutical marcheting degree exposing instructional helped professional goals fact given autonomy responsibility goals professional managing project since uncommon responsibility pandemic effect get afsc supervisors pursuit accomplishing goals time afsc encouraged voice interests goals could better align future project worked time creating grants unit service center project opportunity design website thought managing project learned project communication coordination gather suggestions supervisors grant officers time coordinating fellow figure split creative ideas project project ends deliverable  working recordtrak lucky enough office got small like office get past jobs short term narrow choices specify going got things got small sample like accountant got enjoyed tasks like get kind step choosing decemberded decemberare experiences got narrow choices eventually decemberde rest accounting top choices going allows reflect time working gives like choosing accounting loans like small company prior loans personally loans like lack crucial since future likely loans reasons picked casl wanted applying bringing achieved intention learning loans knowledgeable wanted operations since clear sense future like continuing future college invested learned step finding like business main fall winter testing waters operations marcheting firsthand like fall winter helped distinguish desires working teams found working communicating helped narrow choices interested finance potential previously told finance sometimes bit lonely solo repetition finance accounting essential business success dedicating studies thinking influenced classes signed spring getting close finding business passion going c round accepting unpaid knew getting paid like getting paid maintain ethic beat students secure paid time achieved get paid time actively classes building incredibly business vette opportunity deliver connections senior staff connected specifically philadelphia incredible connections getting leaders potential open shocking doors making connections getting practice friendly mistakes building vette friendly pursuing finance international business working international makes easier professional increasing nutrition access quality food similar mission promote food access garden programming privileged citizens helped time entering expect c round unpaid came experiences accounting besides took spring term helped type financial accounting goes non profit human resources marcheting documentation proposal letters mous non profit fundraise thousands dollars events coming helped develop professional connections programming excel prior wanted improve networking future helped networking main tasks contact linkedin required email months contacted around went around connections linkedin contact via email network contact several hold positions professional upon graduating get finance working cigna contributed firstly stay philadelphia graduating could potentially philadelphia office company offices pennsylvania delaware options cigna working healthcare could healthcare companies created relationships coworkers get offering recommendation chose accounting finance wide array jobs could working cigna exposed accounts payable exposed departments contracting teams suppliers prepares working teams lastly navigate software programs sap ariba oracle working cigna prepared working wanted toward matter received communicator communication key business law due public talking done time alston construction grew communicator speaker ever communicate professional manor beneficial moving forward young professional develop least stream passive income estate time learned aspects comingling departments managing estate peak efficiency communication hardest barrier overcome reason types issues language barrier workers spoke english struggle step step pretty like little kid difficult hand management watched said controlled rating disrespected suck watch words carefully lose lose situation workers better managers shame company supposed get promoted company horrible human cant stand presents company sad reality company experiences terms understanding company raises money investments creates deals clients inevitably earn cash flow understanding financial model revenue prediction model cost analysis number clients load increased related exploring giving hands business technology professional get understanding future exploratory taking classes knowing wanted break thoughts joining fund working marcheting helped like business aspects time pick wanted could expand likeness business came across events got aspects working sponsorship marcheting public relations teams aspects business networking professional goals opinion deep network advise beneficial connections relationships deepen network accomplished training sessions superiors asking advice clarifications participating professional casual events maintaining contact outside ultimate lawyer focusing social justice initiative plse door clients poverty line free expungement pardon services working plse actually got publish report injustice cost fees court system shared treasurer pennsylvania report found sites nationwide awesome actually improve system got organizations philly outside philly working initiative plse mission statement objective non profit aligns perfectly values learning criminal justice system legal procedures future thankful opportunity plse worth got meaningful fulfilling exactly wanted could found better fit right comes professional goals main company get finance meaningful international company multinational corporation recognized country allows employed anywhere furthermore experiencing finance crucial could envision enjoying lastly impactful priority content knowing actually helping company progress delighted objectives draeger medical systems inc draeger global company offices countries home country india knew working decembersion interviewing discussing knew learning proven true weeks intensive training aware finance accounting terminologies report generation processes went teach excel models useful current enter time analyst moreover helped accomplish meaningful giving opportunity directly cfo detailed expense analysis hr legal departments presented findings revamp company allocates budget like perfect kick united states reimplemented ambition switched challenging aware bad aspects allowed flaws improve wanted better time management forced efficient time opportunity design alongside marcheting responsibilities allowed explore workspace expand move quarters goals thus helped professionally design social squares email campaigns events allowed utilize learned classes took minor interactive digital media creative freedom getting constructive criticism professionals helped marcheter allowed idm minor goals allowed adapt business setting supervisors workers supportive allowed step realm business allowed aspects marcheting assigned marcheting process pursuing marcheting however wanted helped parts parts need improvement marcheting broad learned differences corporate marcheting versus consumer marcheting better like top positions marcheting bottom opportunity boss willing teach expecting things done finances taxes attended classes related personally communications better time management professional utilize kind money favorable certainly shows matter money showing makes happiest easiest related future goals certain aspects workforce allowed control orders materials making meaningful suggestions outside contractors materials taken brought later sense control input decembersion making larger scale fact extreme free time allowed passions outside newfound time decemberded open business old bottles bar upcycle waterpipes selling online entreprenurial expereinces hopefully buisneses fail businesses successful failures doesnt goals going better professional writing emails messages head professional send linked messages connect send emails organizations follow practice writing supervisor us outline used send emails messages add little blurb company time went got used sending write entire message professional writing normal writing automatically send professional looking messages type brain used sort moves fingers met future employment future search accepted curious planning wanted possibly like planning overlaps things marcheting like getting word creating marcheting materials etc developed relevant professional communication desired like marcheting quite entails specifically gained professional marcheting strategies positions marcheting could offer difference branches broader marcheting example c editorial project management strategy design videography events user social media branches supervisor depth wanted fully branches communicate process creation review delivery moving parts successful working marcheting goals areas business given opportunity little marcheting company determine values marcheting like needs customers figure portray attract target audience difficulties business understood adapt challenges could came foreseen unforeseen ones coming open opportunities second business imperative introduced realms business interests strong suits shaping future finance technology realm business progressed started type financial documents processes navigate applications websites conduct outside hours understanding questions asking questions needed could hurt incorrect result exactly met conversations realized choices thought could terms academics need improve studying get cfa certification soon get time need join professional broaden network vette brought light desire form marcheting process learned aspects marcheting intriguing company learned vette marcheting flexible case alone answer chose marcheting majors marcheting every scenario learned learned trial error strategy could missing bigger picture showed marcheting time professional goals accomplish include improving professionalism corporate addition ultimately obtaining decembernt time offer pcs retirement operations analyst got hands like juneor associate company exciting corproate worked project management directly several workers completing projects daily processings got finance specifically retirement received advice learned diversity inclusion pretty tasks manual based feedback listed several suggestions better cycle guidelines interactions ways better culture goals learned improved professional mannerisms gained daily interactions coworkers maintaining relations pcs coworkers feedback form told pretty optimistic future time openings pcs helped navigate professional goals helped figured strengths weaknesses lie areas passionate helped effective communicator helped vocal issues weakness working faculty staff available succeed opportunity small studies paper improve marcheting collegiate professional original front office national football league hoped connections however like exploring areas sports areas sports entertainment piqued exploring avenues finding company working opportunities limit showed reality finance company like goldman sachs reaffirmed beliefs capable thought confirmed rumors surrounding culture hours decemberde experienced grateful opportunity wanted related finance business analytics learning wanted professional setting helped better professional works helped clarify future earn accounting degree certified public accountant cpa reinforced surrounded cpas graduated inspiring opportunity audits auditing considering actually contribute audits peaked audit got involved ensuring travel entertainment expense reimbursements company section officers compliance established corporate policies procedures test review expense reports verify numbers receipts matched expenses reasonable loved analyzing little details closely vice president internal audit reporting exceptions audit got things compared analyzed user access listings sox applications recognize deltas confirm sufficient management approval prior access provisioned favorite audits got analytical communication genuine audits opportunity independently drives cpa future maybe auditing business found get startup helped professionally showed business goes fundraising communications pitch meeting helped type professional culture computer softwares line came liked sound leaving classroom half gaining chose finance family members business money add things resume allows trial studying someone passion future understood investment business tenfold gained respect advisors service future stress free retirement invaluable learned like found investment business suited brain governmental influence bureaucracy frustrated time thought business limiting freedom strive business grateful test careers setting road joy fulfillment requires hours week educational kind caring found physically mentally exhausting season stress future prefer setting control stress advocate health like balance succeed readily helped discover equity equity valuation trading combined science ideas follow intersection finance technology currently aiming quantitative analyst positions furthermore grown professional network thanks colleagues nice willing training taste harsh invaluable lesson past six months open innovembertion get used meeting exceptional students yet lanham marchland like interesting blinded norm needed fueled fire keep pushing box thoughts solutions self growth working platform distribute intellectual perfect self realization getting foreign boring allowed discover mental stimulation without found inherently angrier passion mind lacks intellectual stimulation learned corporate company functions health care united states works top view opportunity listen calls members better sense legislative changes need better serve public learning healthcare company took time function complex system learned simple terms like benefits deductibles network benefits pays addition learned center operates collected better customer service demands center constantly changing applications servers layouts customer portal every time issue constantly changing action depth takes startup business efficiently organize witness hand realized interested working startup goals professional like professional virtual today keys success attend meetings employer ect impressions like employing later like time helped got meetings frequent contact date boss learned software things elsewhere stepping stone corporate future investment banking exposed pharma gives diversity finance obtain meaningful learned reporting systems analysis based gathered given opportunity improve public speaking presenting business partners allowed obtain majority need opportunity hay past months opportunity reflect analyst time balanced analytical interaction opportunity interact clients coherently communicating opportunity analyze clients provided march errors suggesting edits leveraged excel review records documents obtain analyze match appropriate title helped hone excel learned thoroughly enjoyed aligned majoring business analytics analyst helped working company like tailored beginner helped network contact future thought connections networking working opportunities otherwise available impression remember met helped figures keep electricity philadelphia running get friendly future professional pursuing attending webinars venture studios actually interested pursuing venture studios attend meeting greatly beneficial helped realized like accounting living education get accounting law accounting profession programs used programs like quickbooks proseries familiarity early progress quicker problem solving fixing discrepancies attack certain challenges classroom setting angle looking problems thankful got opportunity existed offer worked workers students willing meaningful professional knew wanted time effort positive impact working community center visitation brought closer working utilize company knowing heartedly cause knowing greater kept going burnt unmotivated exposed injustices seen taken learned problems every action counts pursuing fix problems appropriately helped community needed gives purpose pursuing education gives greater purpose company drive morals return time newfound spirit positively impact site ii personally loved physical labor top get top wanting masters degree marcheting management amazing showed company fail succeed business learned habits aspirations moving forward features like microsoft excel accomplish used microsoft excel components used sales invoices customers charts keeping track things got tools learned classes like advantage already knew tools business tools terms could legitimate hours week wanted test wondering looks like time heard stories hours goldman sachs evercore etc might like guess validation could months might case things enjoying directly ties professional goals future example realized working private banking space gives ample opportunity focused taking initiatives solve maximize efficiency furthermore working experienced peers plenty proficiency adventure altogether developed technical created meaningful professionally example teamwork hands approach example teamwork basis attended calls clients alongside trust admin beneficial get regarding things need get done distinction regarding money movements example needs pay bills distributions monthly payments setup recurring payments things daily payments get read trust agreements states trust projects like innovembertion project streamlining changing aspects private assets efficient came ideas demonstrates gratitude ideas approaches variety ways direct impact since worked backoffice got goes behind scenes office simple written documents database sent correct correct allowed reach going meets eye professional workforce requires time patience trial error prepared progressed biggest difficulties get flustered completely tend leads shut sort biggest years left accepting challenges tackling head rather shying away responsibilities struggled progress succeed difficult settings dedicate time towards learning giving eventually pick open peers supervisors troubles assignments learned difference asking asking things need improve tried assignments asking growth years left goals choosing identify careers future identify careers little professional strong marcheting public relations result pr director middle eastern north african club searching mainly looking marcheting positions considering opportunities c round found right fit someone referred septemberora told nervous human resources business considered choice went anyway weeks started learning recruiting hiring process got inside happens process interviews summer interesting happens things leap faith took accepted septemberora offer helped professional better sense kind professional interested kind company culture fit prior marcheting associate revel nail improve communication lackluster looking improve aspects professional integrated gradually encouraged positions communicate peers ideas promotions line assigned lengths unaware constantly meetings daily treat rather intern college respected colleague allowed develop communication spoken asked soon realized comfortability familiar meeting groups communication significant marcheting looking improve utilize revel nail deal diverse grateful building forever navigate corporate networking reputation professional hardworking pursuing classes extra curricular activities amazing office virtually coming expectations since basis comparison simply wanted mind fulfilled working teams technology accounting business development etc aspects company need resume family members mates connections instead soley relying application process b c rounds chose athlete sports however video taping boring lively showed need initiative get shown immense actually enjoying comcast hosted based panels discussions employees attend ultimately advance panel discussion ended short networking conversation higher employees discussions mentor allowed network variety roles across company met created variety beneficial connections networking meetings easy fun join strived fact introduction walk away strong least initiative like explore marcheting building connections huge advance networking opportunities aspects business thoroughly explore opens eyes roles industries prominent areas known beforehand open company future dedicated meeting innovembertive technology space tools reach comcast employees tend extensive backgrounds constantly immersing technology initiatives inspiring motivated explore clubs programs volunteer opportunities etc comcast increasing connections understanding became involved senior community became aware analyst future quantifying things looking points importantly analyzing started working collect worked building models discussed extensively time results front us meant relevant meeting expectations thoughts analyze things fulfill demands becoming analyst advice accordingly helped developed technical using right software used exact deliverable working tap every opportunity get found launched strong entering limited almost business supervisors clear hire stronger candidate jobs future wanted right future rather settling whichever get found given right insurance finance realm macro sense xl insurance provides clarity sum money business transaction professional goals aligned amazing time implementing creative business absolutely allowed exercise aspects interests entrepreneurial added tremendous early journey guidance solidifying marcheting felid marcheting strategy acumen grateful learning working amazon second small step achieving gaining e commerce online business decemberpro learning e commerce sites amazon ebay etsy walmarch decemberpro amazon focused amazon metrics sfp seller fulfilled prime premium shipping eligibility negative feedback negative reviews voice customer chargeback claims amazon listings addition handle customer service tasks including working challenging customers creating detailed plans fix problems key goals deal challenging experiences explore opportunities self improve daily basis deal challenging customers instance decemberprofs sellers challenging several reasons email times discuss customers addition detailed customers like contact credit card needed orders furthermore get complicated challenge pricing items ordered situation learned breakdown customers efficiently orders septemberrately discussing pricing offer customers pricing already low enough customers similar challenges working workers decemberpro serval confrontations employer instance beginning originally hired advertising marcheting amazon however decemberpro hired third party marcheting advertising agency marcheting confronted owner told got mid term report meeting discussed projects training marcheting meeting boss marcheting related projects conclusion assertive strong standing need professional personable understanding allowed story upbringing needs allowed companionate understanding need things versatility biggest obtain goals going better verbal communication public speaking classes tend keep opinions anxious assigned presentation time jacobs given opportunities expand upon presenting schoolers philadelphia region mental health resources sourcing jobs presenting panel judges jacobs employees learned working teams boston york assignments allowed zone critical thinking marcheting vision judgment goals moment marcheter need products marcheting effective asking questions consequence better training sessions optimize users satisfies essential needs customers capture mentality customers produce content hits weaknesses grab attention need improve vision consumer psychology logically right decembersions embracing digital marcheting trends understanding target audience better future learned things marcheting intensive classes following terms surely add background needed future term philosophy desirable classes addition majors form logical thinking everyday goals going bigger bridge struggled opening useful bridge allowed deeper meaningful connections better understanding running non profit learning quantify effectiveness setting sustain dialogue general legacy bridge essential puts perspective navigate future appealed professional communicating effectively situation increasing network talk alum stakeholders appreciated input enough connect learning attitude willing accept learning tasks helped professional getting closer becoming cpa trying asking cpa motivate get closer goals allowed specifically operations tasks behind individual investment retirement finance investor wanted behind scenes process requests transactions pertaining investment retirement operations analyst pcs retirement gained entered operations company software utilized track movement money interactions operations divisions investment company included processing enrollment forms verifying customer check status disbursing funds investment asset reaching company representatives frequently verify request details resolve kinds issues furthermore since learned digitally opposite east coast worked nyc worked tampa fl balancing daily tasks training months reached figuring behind scenes involved processing customer investment requests steps needed ensure timely accurate service solutions driven approach company showed technicalities behind investment finance giving rapidly digital working remotely working hurdles presented working finance specifically equity ever finance lucky enough equity working pursuing similar graduating known system given interested working gained settings communication time management sales goals worked effectively together goals better structure disciplined whatever college upper darby district instilled sense discipline wake early morning ready whatever going realized everybody boss someone answer resulted smooth running working closely boss oversees departments learned human dynamics figure kind future time corporate setting appreciated corporate setting structure professionalism right fit future endeavors working setting months seek less buttoned thankful peco giving takeaway providing realization faced unprofessional treatment employer like fashion however exactly certain unfair treatment anybody stand anything relevant concentration beginning aeon motor assigned flagship stores salesman nervous confused since expected description instructions given performing weeks soon realized salesman easy expected basically smallest details products solving problems customers salesman requires importantly healthy mind keeps sharp communicating customers stay composed dealing difficult months simply interacting customers communications improved drastically frontline company representing aeon motor adjust front types customers stay composed facing situations conversation customers expected improving communication goals wish improve opportunity working outside classroom decemberded attend allowed basic fundamentals every business sales owning mastering selling confident communicate talk things ever general related prior therefore learning get business thrown familiarity expertise scary nervous completely apart mentored supervisor learning read documents business struggles learned things getting business adult general basics business anything helps develop higher makes easier pinpoint questions needed meetings supervisor agents business partners get kinds passed meetings communicate professional got simpler tasks thrown super professional tasks allows supervisor mentored veeva gives opportunity veeva serves vital today innovembertive cloud software company supports sciences companies fields hold directly pharmaceutical manufacturers indirectly helping consumers powerful pleasantly surprised details planning organizers took scheduling training system students seen companies interviewed tell veeva systems cares employees serves purpose today veeva given opportunity programs quickly professional online communication excellent time management beginning college wanted small business goals eventually working family business gaining main reasons took little bit tasks involved business starting business given essentially got projects ranging marcheting finance appreciation goes getting business running reinforced wanting business wanted small business atmosphere need improve network professionals allowed opportunity vendors clients capitalize opportunities could moving forward wanted energy communication taking courses attending networking events helped get taste going like list need success search universities chose certain professional goals right main expand network base relationship colleagues participating amazing got glimpse future accounting profession working every cases incredibly got things classroom opportunity network later might colleagues bosses since tried impression assigned project finish every project early questions needed punctual offer additional available expand network impression possibility working glenmede maybe efforts paid glenmede offered stay aprill helped like working accounting helped networking creating possibility working future professional gaining aspects business together successful aspects include sales finance marcheting business development related conducting included finding statistics online working send surveys better company needs shown essential improve business incentive company showed business could improve furthered clients found used investor pitch decembers potential investors used marcheting materials articles discussed potential clients company beneficial example statistics average time hire compared greatly reduced time hire company using vette software therefore seeing helped aspects business getting closer learning businesses least variety areas marcheting communications brand management public relations strategy actually interests future perfect opportunity expect comast company talk areas contribute projects teams main grounded acquisition marcheting strategy assisted teams including brand marcheting variety projects allowed figure likes dislikes areas assisted quantitative helped surveys created reports findings talk employees qualitative learned interesting future hand worked couple projects communications brand marcheting found interesting participate briefings partner agencies agency working marcheting pr agency time marcheting plethora aspects related professional goals alike currently excited pursuing get abilities utilize experiences wider base surrounding ways marcheting strategies positively benefit business luckily time par given multitude opportunities sitting executive meetings creating tracking success marcheting materials interacting potential clients every provided lesson working marcheting like lesson beneficial exciting related goals pursuing professional working company involved corporate america achieved brandywine realty trust adhered standards corporate america holds inner workings commercial estate brandywine realty trust estate investment trust reit indirect method estate investments upon concluding rudidarty commercial estate develop presentation estate specifically commercial estate finance executive officer like achieved professional investments directly indirectly worked investments time accounting investments allowed step banking finance banking broad might interested retail commercial banking probably interested investment banking allowed places like helped adult like helped security anxious plagued thought getting branch told ever wanted company reach expect approach hired zero slight disadvantage getting company previously fortunately right door got offer due lack needed trained security communication constant communication coworkers started online needed get zone reach asking needed fortunately coworkers understanding situation helped every acquiring security future endeavors trial error began topic worked performance fortunate enough receive offer time extending understanding security begin daily began communication determination driving force allowed goals working chubb hopefully rise rankings company continuing limits professional impacted gaining fortune company corporation employees chaotic times point professional public company moving pieces constant enjoyable like learning getting involved things furthermore got opportunity closely director payments kelly senior management members final project guidance mentorship absolutely invaluable grateful connections kelly willingness responsibilities get involved higher projects learning kind words received final week inspiring beyond thoughtful corporations companies negatives associated highly enough ones define culture supported valued working fortune professional proud accomplish helped training development assistant exactly align finance tasks assigned basic require technical professionally liked corporate finance kinds projects going utilized either since anything learned classes personally improved professional etiquette communication verbal written drafting emails meeting notes presentations documents files scheduling meetings using sharepoint etc soft jobs future selling vette clients helped garner future expectation sports representation sports agent promoter need sell athlete teams fans alike learning sell vette potential clients confident salesman provides business consulting interested pursuing minor consulting learned consulting companies clients project management flow working proposals gives clearer understanding administrative needed done pitching despite involved directly consulting clients adequate introduction consulting prep kickoff phase became emailing colleagues assistance advice taking initiative finding opportunities proactive communication time learned marcheting company main clients businesses organizations institutions interesting discussion planning implementing round marcheting catered industries knew marcheting exposed marcheting marcheting thought marcheting consulting often already known small company known philly region yet emphasize outreach marcheting integral hopefully explore aspects marcheting future analysis interaction technology awarding credits contributed graduating college short term goals professional professionalism experienced professional wanted biggest pursuing communicate participate contribute setting usually intimidated voice opinion primarchly age lack embarrass coming vocal opinions confident ideas terrible realized rather participate interested trying instead silent like room carries classroom discussions prepared questions might knowing answer participate braver daily general helps realized weakness overcame towards law finishing undergrad criminal lawyer helped finish collaborate groups future teams someone somewhat professional doubt decembersions bad twice intern afraid mistakes notice habit rethink decembersion least three four times committing going forth afraid wrong making decembersion minute keep asking right step get point understandable months doubt afraid mistakes around halfway point doubting asking questions knew answer wanted turn like affects workers probably appreciated sending email creating journal entry need decembersions least time original decembersion correct however workers open making mistakes knew learning opportunity used encouraging words correct asking hey right journal entry putting asked silly question attorney working legal setting directly employees company clients helped professional language etiquette learning assertive agressive making point presenting stood related current currently pursuing studies notion growth self evolution cheesy sound importance continuous improvement note literally springboard must however explain exactly means growth self evolution continuous improvement surrounds concept evaluating past assessing measures taken thus positively shape future springboard learned importance identifying spaces drawbacks situation pausing celebrate advantages maybe improving light currently desire approach assignment process example asking questions like organize time improve etc imperfect humans perfection unnatural growth contrary natural things starting low like proving handle higher moving ladder professional proved company ethic effort offering overtime earlier hours allowed develop takes business attending business company like father working small evolving like truckbux eyes takes internally externally satisfy customers company charge customer dealt satisfied unsatisfied customers dealing negative feedback easy anyone company however necessary business oftentimes deal issues giving almost instant response took pride finding solution issues assisting customers matter circumstance customer rude kept positive attitude assisted every company fill negative positive feedback early stages working truckbux given better perspective takes company deal feedback receives better prepared feedback company could receive future deal expand network dabbled photography hobby working photo art center marcheting combination hobby coming expect invited welcoming sort visual media marcheting working ppac step gifted nice contacts photography community company rebranding inside learned things social media integrate future seeing doordash setting looking future excited nice working small opportunity trying bigger marcheting company whatever get wait cycle type placed upon admitting fearless came changing majors choices certain stigma around changing majors college wished overcome helped business spent months working thought waste compared lifetime ahead fortunate conclusion rather later came realized mean frankly probably however owned several reports manipulate read excel sql files im studying applicable actual choice anything else learned awkward situation like fun rewarding wish spend time lucky worked hires crazy climate expanded roles got larger learned questions player difference daily get tasks done totality absolutely moved closer educated kind kind eyes type future va q tec usa considered years room company disorganized biggest issue inventory demand recent allan myers helped strive towards future goals variety ways professional goals cost accountant allowed opportunity came finance minor accounting accepted assistant cost accountant worked needed areas week worked days cost accountant assisted anything needed days bounced around office asking assist anything else needed done could considered engineering construction management etc professional narrow decembersion hate accounting found passion finance time around helped discipline responsibility worked genuine knew fun time came time cared jobs success company carry eventually professional experiences get understanding business brought closer corporate law future wanted undergrad get get business going law working sig brought closer professional goals less related company consulting agency based business saw hand company gears company forward saw company interacted advertising content outside company intersection experiences allowed recognize future professional goals degree move onto law better perspective law helped decemberde like law post grad inner workings law outside legal stronger law starting figure intend right decemberde network enhance goals entering effectively resolve problems significantly ample opportunity practice variety user issues printers computers software anything quickly pinpoint root cause issues workers get soon knew going workforce develop ever introverted individual week told supervisor anxiety answering phones issues accurate effective manner couple months confident greatly strengthened written verbal communication customer service feature employer flexibility business planning designing organizing analytics learning division registered entry learned anodizing process tank kept solutions going nadcap certification helped preparation necessary kind needed looked helped rounded involved company teams worked exactly got got teams perform tasks learned got pushed zone better provided basic office etiquette opportunity collaboration corporate given opportunity happens bank hand specifically buy investments personally invest happens institution makes trade got deal around point got things textbooks relevant get get asset management financial analysis helped get foot door hopefully opportunities ever since went college get proficient managing time dramatically helped improve time management detailed notes line running every hour get done beforehand get done growth wanted entering proactive passive applied settings often deferred colleagues input knew transitioning larger complex setting college require establish voice far meeting starting projects working cs business ones point better teammate offer project like oiled machine talents utilized process easier page communication stays constant met fellow majors saw differed us ways wanted tackle project availability harder simultaneously together however maintained communication allowed us stay page held accountable setting deadlines let needed project required us efficient effective algorithms organize strongest weakest neither cohorts experienced machine learning algorithms pretty challenging came starting project sent articles video helped us reached progress ran logistical questions regarding project needed resolved immediately get going active ideas questions became unclear us efficiently began stepping stone proactive helped importance coming shell professional settings get tasks done goals stay setting implement creativity source income open eyes industries could becoming better researcher university currently fellow requires coding originally python limited range could mentor vba sql fellowship project automate processes grateful sig operations supply chain management development fashion taking consumer description typically falls exactly business fashion wanted professional time small fashion nature like corporate setting eventually making commute time prepared terms food water working superiors helped develop communication terms talking superior term get cpa license joining company independence blue cross handle journal entries reconciliations independently pre actual accountant daily tasks routine independence blue cross makes getting cpa license main goals better carry conduct professional capacity helped accomplishing allowing interact used newfound improve persona professional relationships future goals independently stay challenge apprehensive making mistakes wanted easier sense little room frivolity conversation text steps becoming ceo workers company ones versatile company instead operations metro mobile talking positions higher lower showed ton surface operations management mainly took business classes associating aspects business retain ways sell sales tactics stores talk biggest helped towards pursing business connections key successful cant alone thats overkill things opportunity together successful company easier like hearing peoples stories learning cultures steps making happen learning probably typical better professional goals learning employees future hold working rudloff custom builders project meant given control site every trade needed needed schedule managing sub contractors considering pretty jobs sites needed framers walls electricians masons plumbers chimney workers cabinets hardwood flooring list keeps going learning juggle calls maintaining clean schedule key jobs success acquiring peak profits performance uniquely prepared accomplish managerial control placed perfect needed acquire calmly collectively managing employees subcontractors jobsites came knowing professional future loved special opportunity students given knew coops goals stated company focused studies planning quite time waiting effectively business scratch gaining software technology business companies ahead forward becoming entrepreneur helped develop counseling skillset need pursuing early management strategic consulting enjoyed fact allowed earning privilege connect directly clients involved meetings like engagement pitches management presentations akin opportunities leverage recruiting summer analyst associate roles summer management consulting terms professional catering degree freelance marcheting positions undergraduate education edit content terms videos creative promotional content brands edit websites unique twist companies marcheting outlooks appealing audience targetting top like marcheting future shares similar mindset setting fun exciting every single every single marcheting brainstorm exciting content draw given audience future like experiment working alongside fashion company personally interested spare time took away lessons lessons expected worth professional development like utilizing training appropriately company someone else appointed time frequent reviews employees discover talent abilities applied appropriately rewarding company efficiency improved employees valued spoke proud constantly communicated supervisor related supposed resource improvement confident communicate needs clearly politely coming company comprised nice problem company meaningless education proud stood needs priorities excited return eager expect wanted learning learned chemistry flexible covid curve balls athletic season shown communication necessary get things done every week involved meeting external relations discuss agenda things done included brainstorming ideas divvying responsibilities asking questions clearing confusion sitting contributing meetings months learned communication get things done communication used aspects including education projects classes basis communication anything needs clarified clarified future relied tasks proud working contributing bigger picture division athletic teams power learned bookkeeping small engineering company connections clients prepared bookkeeping quantity assigned books companies zone reflecting getting professional graduating variety right gate college apart graduates seeking fact heavily influenced decembersion university since reason writing peacex helped closest varied widely initially looking since venture studio hour meeting every rest typical type hour peacex fit conventional thinking enjoyed since eyes possibilities ideation planning process designing app peacex brought us apps better learned little bit ui ux design found interesting learned importance proper documentation since cycle existing products documentation understanding joining professional effectively communicate without repeat details concise since opportunity reach communications either slack emails main like profession wanted like working daily profession helped changes fit future desired wanted inside corporate america working remotely built communication excel time management organizational despite working remotely get hands addition shadow future currently learning japanese past showed week tasked giving every since daily info jokes decemberded teach japanese word everyday familiarity provided right bat teach words language need held older interpersonal connections like network bizarre topics keeps things fresh throws interesting curveball general exactly academia static ideas concepts reach larger audience however met inspiring learned mba boss learned choice expected eye opening helped applying learned classroom learning learned software mailchimp hootsuite later canva learned like stronger candidate future becoming stronger candidate fill resume experiences already excited prospect attending applying experiences university lebow college business prepared working applying academia applying private sector interesting system helped goals growing playing sports knew wanted coming choosing business given expand academically business engineering difficult get careers future choices management engineering however perfect combination business development analyst robotics company gained mechanical software engineering technicals behind products meanwhile learned business development sales marcheting comes drone robotics helped otherwise helped figure better worked directly gathering numbers analyzing presenting allowed engage process learned enjoyed perhaps customer forward greater aspects marcheting utilize develop meaningful campaigns plans attractive boss adam walker leader mentor step leadership advice setbacks walk us helped us working personalities working fields classes teams working weaknesses hands learning grown learned better teams projects starting involved civic engagement volunteer tutoring center called moder patshala read kindergarten students local philadelphia elementary schools global citizen heavily involved civic engagement increasing education local philadelphia students priority according mission statement reading captains time campaign global citizen encourages children reading grade fourth grade directly supervisors reading captains initiative recruiting volunteers region philadelphia access reading materials increase literacy rates children attending underserved schools civic engagement efforts tutoring centers like ones already worked global citizen allowed connections organizations similar goals connections gc outreach gained philadelphia public students pursuing finding step doorway like professional engineering decemberde engineering interested design engineering managers workers exposed departments companies brands eye opening enabled explore interests current finance finance interests future lack need office space future learned communicate screen quite literally pushed communication wished evolve better actually implement classwork implement classwork understanding excel need excel extensive implementing schoolwork actual time management improve pushed days close hours sense making time things loved enlightening someone studying accounting finance wanted explore avenues accounting finance related accounting initially excited looking forward however realized autonomous activities constant scheduled rehearsed nothing wrong anything financial marchets wished wonderful opportunity however room individual wanted lovely opportunity trying accounting investment grateful opportunity peers opportunity professional variety scientist future engineer given half need future learning startup got individual parts company got met future aware damaged daily human wastage relating business numbers forecasting conducting prediction precisely contribute mitigating wastes losses business activities besides learning confident articulate speaking inspire encourage persuade listen suggestions challenging stress choosing easy idle brain dangerous secured risks perhaps better difficult concerned abilities moment get future goals gopuff placed collecting making accessible employees metrics captured daily sent reports presentable easy digest future statistics business analytics classes excited concepts collection built upon building company employed existing like ensure collect transparent business ensuring numbers digestible audience key function learned gopuff members analytics used graphic design ensure employees like drawn checking reports time time emphasis gopuff widespread future professions addition central analytics company least analytics consultant charged communication bridging gap business analytics pride jack trades problem solver strive successfully working brain internet lacking however health insurance humongous intimidating filled jargon sometimes feels intentionally difficult layperson decemberpher aspects flat sense badly designed despite relevant wants allowed american hospital reasonable bill reading barest minimums let mom confused filled health insurance waivers feelings completely confused anything meant working gained far fuller understanding health insurance ever anywhere else confident handle anyone else ever need currently striving money flows business flows eyes money moved business financials hydroworks companies financials pricing strategies pricing completely segment pricing interested tasked evaluation products compared worked learned evaluate products price usefulness personally worked water filtration systems easy compare price flow rates range given rough useful financials business finding time gives opportunity rotate teams allows explore like lack terms going however main figure interested went lebow knowing wanted business sort unsure allows explore tech business coincides mis business analytics given rotate teams allows explore sides company like business currently going moving delivery time going example versatile allows explore like like goals corporation someone lived york city dream suits subway going huge financial buildings checklist company like sap headquarters showed professional develop graduating door endless opportunities development found interpersonal organizational development rewarding speaking workers every regarding current audit allowed improve interpersonal communication starting clean desk helped knew notes writing utensils useful items keep desk organized motivated hand critical situation including home organizational learned return classes learning improve time management critical effectively schedule tasks reminders assignments timely manner academically personally free time improving time management increase motivation mood wellbeing determined assignments effectively perform better classes list goes regarding developed bowman company llp time greatly expanded professional needed succeed reflect studies implementing relevant useful learned either ib pwm future pcs direct works helped front advisors gets paid therefore asset helped succeed future sales woman reputable passionate finances preparing retirement unexpected circumstances learned importance health insurance insurance retirement vehicle confident serve personally found interesting learned fields like estate entrepreneurship interesting intention coops bout fields interests academically found useful learned classes useful little excel useful knowing financial statements mean intriguing accounting works business firsthand professionally gained enhance already knew eye opening enjoyed time saw importance vlauee boss saw company began responsibilites projects tasks entrusted confidential projects valued intern working towards better communicator leader community taken supporting pillar helps rise given opportunity management teams virtually turn greatly tightened furthermore communication benefited communicate ideas efficiently workers better main goals better public speaking communication since virtual communication keep touch supervisor regular basis email microsoft teams effectively get points across speaking coworkers get questions answered included calling emailing parts country helped getting zone talking develop analytics learning software familiarizing essential tools period lucky attend power bi training provided supervisor explained concepts detail ensured knew solving problems opportunity project knew like clients resolve inquiries requests moreover communication improved weekly meetings report tasks working discuss problems available wanted absolute limits produce honestly despite times employed managed produce decembernt bit content proud went branch step zone things writer managed write ton articles topics time designer capable creating designing modifying actual designs infographics logos unable fully room experiment looking improve time write time researching helped actual honed developing higher ideas write writing portion allowed expressing ideas complex yet understandable manner focused creating content improved content creation every regard zone giving given company prepared given responsibility probably old college sophomore rise expectations surprise could basically running entire customer direct supervisor left successful let challenges get stopped learning admit mistake wanted better qualities someone business everyday difficult learned management could things happening colleagues nothing get done leadership future confident abilities goals starting business deepening fields international business business law somewhat peripheral operations planned coordinated undeployed levels example massive acquiring hardware necessary chromebook deploying distribution centers onto students parents required deal operations planning logistics concerning chromebook parts considered parts ordered regular basis coordination vital ensuring distribution centers philadelphia stocked capable receiving addressing needs parents students need assistance looking repair pick devices regular meetings levels top given space raise concerns questions clear resources needed structure scale logistics challenges solutions incredibly interesting observe tools vital running business reasons participate distribution center bearing witness challenges ingenious solutions operating range staff rewarding goals academics speaking publicly improve speaking front business front coworkers front employer gotten little bit nervous comes public speaking meetings open communication helped accomplished pertaining every monday boss anthony hopkins loved weekly check meetings time went talking reporting given practice public speaking meetings invited went anthony invited sit meeting marcheting company seer meetings anywhere grateful involved virtual meetings practice get public speaking better meeting often input opinion shared cycle longer nervous voice opinion boss workers grateful amazing grateful improve managing time effectively goals procrastinated trouble meeting deadlines classes assignments commitments general left commit certain dates deadlines reason slack wanted involve activities happening around extent time conscious priorities realized internal peace comes managing time effectively feeling time working time realized stick deadlines easy procrastinated couple times pay consequences actions realized delaying process several departments relied us reflected lag created impacted understood gravity situation mistakes implemented time management tools using google calendar planner goals deadlines excited classes organized effective going deadlines someone recently switched finance private wealth management fully basic advanced levels thinking simplest decembersions behind investing trading like analysis working allocations financial reporting allowed like relating context upcoming financial decembersions friendly nurturing office ideal someone like nervous going professional lax remained competitive allowed competitive pwm firms professional pursuing fact pursuing related business finished maybe marcheting right totally okay management business future figure wanted get estate management learning speaking business open mind sides businesses completely unaware helped getting times corona less less employers hiring professional becoming estate agent owning businesses teach things teach grateful company home half continuing business analyst finance maybe marcheting passion ba need improve upon like analytical problem solving communication often employed problem solving time project time making project closing project problems need solved perspective observation problem solving sensitive received problems solve time carelessness supervisor pointed fix weakness years active communicating professors advice need improve simply hobby free time trading finance involves industries trader secondary employment courses fundamental trading courses near future bitter experiences came lack necessary character note receive paid planning meticulously resume experiences majority time esf consisted marcheting customer engagement sell brand improve customer service customer service need business every business requires selling brand learning talk customers customers hear head building foundation shadowing boss hearing talk business peers phone accompanying fundraising kind f tatted like completely things professional leverage land time financial service main reasons chose offered students time least worth transferrable leverage search time get degree keeping mind classroom extracurriculars geared towards landing time easier success depended resilient tp socialize professional manner synthesize amounts coherent digestible manner gained resilience search process getting rejections offers searching networking organizations groups campus aided socialize network professional manner voluntary projects groups helped develop analytical summarchze amounts complex digestible format grit effort amounted receiving offer join investment time analyst growed tremendously improved learned things future realized planning sphere classes connected hr sphere thus taking related classes deeper understanding deeper sphere moreover networking colleagues related management business wanted planning professional sports professional sports watched learned goes running independent minor league baseball learned aspects jobs loved could possibly excel stray away looking enter learned excel entertain fan promotions sponsorship business sales cold calling strongest sales tips professionals helped communicated allows confident shall ever need sales entering sports staying involved knowing strength weaknesses develop understanding six months barnstormers office built resume better suited sports played excited step college prepared ready entry sports business need degree sports business simple professional figuring pursuing figuring came wanting science took couple business classes found enjoyed learning business switched lebow currently general business helped mobile marcheting get better view business narrow like listing brand like working marcheting kind processes working marcheting campaigns helped get like marcheting mind exactly yet prove road came corporate comcast business admired achieved got februaryuary surpassed excelled built lasting connections building professional network considering prior pandemic small grown ten times since coming company like individuals vouch performance ethic character strive connections like using learned mentors comcast nbcuniversal fact worked non profit feeling purpose beyond knew helping trying reach helped working like possibility dream intern delta airlines gsa delta challenged creative critical thinker solve problems excel mind confident classes impact spaces uncomfortable around goals influential opportunity given african lens african lens dedicated talents constantly works platform young creatives photographers express competitive international spaces official opportunity walked society experienced learned communication communicated projects presentations labs communication quite similar exactly colleague responsible nothing wait finish project add name project need communication colleague check progress control speed making friends boring anyone lunch together play games questions solve problem case getting familiar started expecting fun friends professional learned sql language tried system sql application challenge time used learned project company proud finally finish system future company like lacks management smaller company compare means stuff top actual anything helped expect better second professional company systems management sideline reporter college profession get sideline reporting got goes behind scenes leaving sends future prepared follow main mission diversity commercial estate strive diverse races cultures sexes making included society pool ideas benefit companies consumers directly dream financial entrepreneurship concepts investing banking utilized future classes related experiences add ever revolutionary fundamental mechanics activities proceedings strong strategic partner building therefore technological entrepreneurship future im sports management since directly related sports helped get sports conducted reasons applied system becoming standout applicant things learned greater effect prior option classroom setting ak housing shown things expected setting given capabilities confident seeing asked translate ambitious determined future pursuits shown weaknesses lie helped identify areas improve upon points development making better candidate future opportunities receive starting summer cycle secured contract extension ak housing accounting intern corporate opportunity contribute using gained far education strengths weaknesses improve striving improvement attending every little given avenue practice actual setting taking working becoming standout learned estate business hopefully every opportunity get industries qualities require successful informed decembersions follow depending suits perhaps earn offer places post source company could sway decembersion making like obtain project management technology past years improved understanding engineering management accounting independent learning employ newfound improve project assistant often supervised subcontractors site since trades e g framers electricians plumbers painters scheduled directly keep track avoid delays given least phone calls supervisor subcontractors suppliers ensure projects running smoothly besides management gained performing accounting tasks company used buildertrend keep track invoices payments publish weekly updates owners certain days bookkeeper upload newly received invoices buildertrend ready payment necessarily interested pursuing accounting deep understanding accounting functions diverse candidate positions excellent brought closer professional goals improve management accounting certainly recommend possibility leaving went paid thousands dollars treated horribly kamp kids figuring exactly segments business system narrow business healthcare top choices mom healthcare grew like combines interests business totally segment business like attending allows little like like little bit indecembersive method eases mind makes optimistic pinpoint working brown brothers harriman profile stepping stone towards combination finance accounting economics determine interested mentioned required finance accounting economics grabbed finance economics working reputed investment banking pressure submit quality exciting working accounts requests completing hours turnaround time talking polish communication bond actual motivation stressful situations professional culture helped forward determine expect future created amazing mentors willing spend hours listening talking get heading finance economics got sense fit thus helping narrowing better focusing excel professional pursuing learned operates together professional setting supply chain operations management learned difference operations used service vs manufacturing professional certified public accountant cpa allowed like corporation accountant additionally members working towards degree completing time working questions like time advice grad grad immediately moreover going learning accounting nothing like experiencing context wanted cpa seemed like logical step since accounting however actually learned classes applied scenario helped actually future months process showed accounting done cycle chose since get pursuing future helped future enhanced dream becoming cpa biggest better understanding trying imagine heard careers thought internal audit thought twice since understanding external auditor since closely pwc boss awesome enough encourage learning allowed meetings departments penn mutual due got financial controls compliance actuarial fields helps clarity professional goals flexible fact working several teams flexibility juggle deadlines teams maintaining recurring tasks fact completely flexibility personally taken due pandemic flexible got wanted communicating public general marcheting therefore time direct communicator business customers talk masses appropriate reflects business accurately company diverse responsibilities changing perfect general business daily responsibilities projects assigned repetitive therefore giving ample opportunity exercise approaches mentalities problems goals time management maintaining strong ethic time university normally assignment subject either putting assignment minute spend time assignment constantly get distracted around interact studying working time times became distracted simply due lack subject hand unable interact online unable making difference assigned seems meaningless unimportant need planning week allotted time projects simply completing project soon receive need system projects time maximum thought effort like could goals structure used sleep earlier days starting earlier enabled productive accomplish sometimes early given multitude things time management get completed classes need schedule homework studying besides trying fail like system ending cycle running jumping past obstacle abilities success problem mentality hurdle fear succeed held constant grasp concept setting dedicating journey expel fear enough descriptions sound terrifying actual achievable learned capable surviving employers miraculous super intelligence someone passionate someone spreads positivity projects communicate partners perfectly acceptable helped relieve fears things enjoyed seeing could learned seeing results helped professional finance prefer enough meaningful done finance shift towards law learning grateful lesson working financial lombard chase bigger returns telling story numbers legal meaningful outcomes allowed dive finance money managed intricacies better future cpi future opportunities impressed scope responsibilities entrusted leverage opportunities future coops wanted increase technical excel analysis etc achieved goals related goals wanted communication called suppliers invoices payments however like need communication writing emails professional better understanding majors pursuing doors business like bit accounting since worked small basically wingman owner got academics considering majoring management close takes done father owns business involved allowed compare organizing managing businesses organizations pursuing learning business impressions based appearance words learned ways around business attire done recognizable found business woman voice choice words inspire masses forced customer service coming voice learned respond resident crisis persuade prospect trust company based word choice presentation time conduct tour representation company brand ambassador progress courses add financial terms vocabulary elevate impressions success rate chances business professional pursuing expand working step attending absolutely working reasons chose acts bridge showed working time feels like like responsibilities studies hands like owning small business responsibilities business owner fulfilled wanted ins outs owning business operates got observe hand handling small business wanted expand working pursuing types working environments got working small business bigger focused certain working corporate vast variety fits completed taken step forward achieving goals helped evaluate goals refurbish motivation towards building ethical professional goals corresponded excited professional exposed helped determine like attend psychology hand hand current business understanding technology got helps professional pursuing obtaining graphic design adapt changes specifically started ebooks company initially joining facebook groups reaching sports companies customers members company surveys regarding price points pros cons general questions went half time wanted working ebook display statistics head injuries certain solution problems nice found around time decemberded add interactive digital media idm minor schedule considering little bit decemberded decembersion commit future wish things idm helped visualize professional future digital media step towards peers due pandemic past six months working peco exelon corporate finance current financial however seen learning opportunity acquire develop working home given improve upon communication presentational forced develop strong relationships internet instead face face office main lessons learned working home need innovembertive persistent goals finding ways adapt situation hand circumstances given club giving opportunity versed main finance business analytics knowledgeable topics business allowed diversify topics systems unfamiliar six months ago grateful found future professional endeavors learning opportunity technical emotional built communication leadership teamwork helped step forward ultimate working top firms albeit chubb widely known company insurance months getting understanding company caliber works edge need secure highly contested honestly speaking understanding company worked non profit working realized social media communications satisfaction hoped step closer understanding guess second term understood hate economics finalized decembersion social media non profit relating fields analysis creation products production process properly applied brand name companies applied probably missed interested anyways talking achieved realization coming expecting professionally e office decembernt salary could positive terms working professionally align future goals growing company learned offices things behind process peco helped philadelphia region resources successfully perform learned executed follow protocol directions professional better marcheter brands broader audiences using social media internet brand could someone like helping business using google seo inputting certain keywords website improve quantity website traffic site someone local searches food restaurant places eat options seen aspects related professional goals currently process defining step broader options ideas goals additionally current short term goals define wish collecting projects directed collected impact structural design projects structure built site collecting addition noticing strong creating building operations management creating systems managing moving pieces solving improving problems passionate allows discover construction site built desired pin number options paths desire reduce number total larger number coming almost clueless months ago beg step ahead reduce number following terms coops term financial law somewhat related professional thought got finance related softwares used exactly designed need accounting foundation company financial statement recognize error main better understanding financial reporting went courses left aspects quite prepared financial reporting spent time reviewing purchasing upcoming material addition wanted get better sense accounting like however nature office weekly assignments meetings lack properly assigned actually like actually office time working esi healthy hop llc points time questioned getting gained nearly hoping like stated earlier response somewhat better understanding financial reporting process basics specifics main improved business verbal written communication forced expand upon tasks assigned reach programs phmc managed participate mailing centralization project required email cold directors gather mailing system necessity programs seeing calling mailing times getting response difficult written verbal communication became challenging pinging busy directors managers right communication tactics takes planning care improved given project time leaving project half remembering circle timely manner became key stood company talking marcheting strategies business moment tell online marcheting looking forward learning online marcheting classes like hone html sorts basic used ways example web design entire website business remember younger websites like tumblr could page html pages designed pages get lots traffic popular sector online marcheting like targeted ads business understanding process marcheting suppose tie marcheting statistics statistics strong suit like like read stats business decembersions crucial advancing business developing business need tech business like management informations systems taken huge passion social media learning social media company presence internet modern society company internet persona impact companies consumers prospective employees etc perceive company culture therefore essential unique company viewer behind wall business huge passion comes creating social media presence business return courses towards future professional eye marcheting social media internet general essential company success shown type succeed marcheting scope working administrative assistant office innovembertion helped aspects professional together tremendous dealing office tasks classroom activities discussions faculty peers helped develop improve communication needed got opportunity communicate interact individuals process submissions step opportunity things terms professional communication get related qualities improved practiced benefit future instance technological like using coeus software excel sharepoint verbal written communication resourcefulness multi tasking time management prioritizing tasks required thankful offering essential allows students develop significant key succeed students receive classroom achieved experienced professionals like thank wonderful opportunity wanted explore aspects accounting mean transfer far done financial reporting current cash application reconciliations disbursements insurance company nearing second neither insurance helped wanting particular despite bit repetitive monotonous professional recognize likely going explore audit okay least crossed three categories accounting list accounting opportunity given professional willing teach technical professional standpoint wanted develop front generally operate office setting got opportunity types groups times allowed develop invited teams helped get wanted get couple driven decembersions mini projects mentioned marcheting kinds products services used working startup completely ready connect associates get running personally used marcheting products already visual however service ready technically gained attract customers unfinished similarly interested public relations opportunity public relations courses came primarchly promote professional ready helped becoming professional allowing professionalism allowed chose economics wanted broad wanted options future downside decembersion unsure future minor communications allowed view departments allowed amazing allowed things saw enjoyed working sales calls membership working events assignments allowed spread communications sales paired economic degree narrow allowed things applicable goals allowed experienced professionalism player professional writing narrow specify minor allows analyzing throughly processing completing requests professional pursuing business business jobs expect jobs duties tasks get international moved america transferred university absolutely connections initial stage apprehensive going get considering joined juneor opposed came freshman weekly overview meetings allowed broader picture professionals roles responsibilities particular week since independent professional goals get friends mentors connect working professionals working reputed corporation working sector allowed supportive allows expand horizons observe meetings marcheting meetings analytics meetings database meetings allowed competent professionals vast fields across students studied transitioned time company provided insights time company could face face conversation hour virtual spaces allowed divisions striking conversation linkedin asked reach future beneficial exposes finance vietnam provides opportunities corporate finance investment banking greatly shaping orientation near future adapt changes society communication completely changed getting completely secondly attitude towards employment wanted looking suits hobbies professional counterpart finding easy society touch things wait opportunities throw away dependence soon independent society dare compete society dare bear social pressure spirit cooperation importance views mutual understanding tolerance cooperation differences decemberease smooth communicating correct deal aspects relationship things happen calmly deal things humbler gained given future goals brands showcase identity encompass promotional content produce films graphics photos brands effectively convey missions express creatively backing projects logical reasoning behavior perception broad sense involved project finish allowed get hands implementing ideas creative projects experiment ideas concepts implementing goals clients creative filming interviews contrast interviewee using filmmaking behavioral psychology learned classes like economics psychology implement learned classes sell ideas writers target audience producers universal miniscule projects tasked creating engaging micro content several celebrities social media pages filmmaking tasked ranged making viewers thirsty looking drink making viewers like desire provided content like fast facts friday projects demanded outcomes time limited constantly working implementing editing shooting techniques convey intentions attaining degree finance degree company little open business working eurotour directly owners company took open business keep adapting business model times tori bob excellent mentors helped goals business openeed eyes developing emerging industries regenerative medicine started extremity care intent becoming investment banker however completely changed mind enter healthcare learned system works received offer process eyes rewarding lines healthcare came accounting little wanted could handle accounting could handle accounting loved enjoyed auditing goals starting develop strong microsoft excel finance entering rated excel currently showed importance excel finance working imagefirst exposed index match formulas vlookups hlookups pivot tables indirects key formatting familiar learning things excel easier particularly rewarding need strong foundation successful professional since starting imagefirst heavily excel outside office time imagefirst variety finance finance accounting teams cross broad scope tasks time accounting learned journal entries inventory management preparing financial statements finance participated forecasting budgets analysis financial analysis applying learned classroom else hoped employed understanding office dynamics accomplished finance works departments learning relationships projects interesting entire goals becoming developer financial developer largest investment bank seeing middle office operates scenario middle almost banks functions develop solutions problems middle office experiencing incredibly acute practice future employment voicing opinions professional setting like tendency joke things common vernacular company setting initially concerned words might across coworkers time company supported spoke daily basis celebrated individuality worked virtual slack free share random thoughts teams overcome anxiety communications found wrote farewell poem saying goodbye company like home months express random thoughts time craft successful pitch resulted coverage stemming original lens acknowledge growth offering ideas point defend decembersions questioned platform working setting easy surely save time traveling lose touch focusing becomes difficult communicating contractors engineers supervisors helped initiating carrying conversation wont afraid future lessons learned future opportunity fairmount general store ace hardware managed inventory levels future upper management retail corporation given sharpened inventory learned every supply chain works essential future supply chain allowed happens store stocks correctly ordering lifeline store age seems every store running procurement significant opportunity given decemberde skus store carried kept stock learned essential correct filled shelve supporting inventory wrong get outdated sold enough potential store get future customers buy used learned supply chain classes figure formulas correct number products cycles maintain inventory levels entering cycle develop deeper understanding cooperating professional setting specifically needed proper ways tasks brainstorming conflict resolution coordinating projects members developing ways get coworkers engage projects helped greatly achieving often done small groups organizing us discussion brainstorm solutions satisfied seemingly simple tasks like planning meeting times challenging time undeveloped professional setting setback developed however head implement ease projects done effectively larger came engaging discussion due number students diverse background individuals potential solutions problems tackling learned ways collect viewpoints represented equally discuss ways respect integral parts effective leadership better project future related professional pursuing entire onboarding offboarding worked home aspects balance chose attend college largely better offers balance free time working remotely showed time save without office commute valued time six period learned later things technical interpersonal education investment better better students companies roles could gives students opportunity kinds roles invaluable decemberding term kpmg perfect fit professional goals undecemberded kind accounting wanted specialize knew liked going details checking accuracy thought forensic accounting auditing exactly knew wanted learned supervisors helped throwing getting working appreciative kpmg offered upon completion required credits accounting officially begin septemberember believed finance sought shown logistics behind running bank degree business analytics finance hoping venture investments anything finance related integrating business analytics background usage softwares prior lessons taxation individuals corporations working andersen like future interesting learned learned software company used communicate professional interested calm sometimes stressful andersen future financial working taxes general reports ways compile useful future future utc time working relevant majors getting aspects particular transportation manufacturing helped get clear sense business addition clear vision going forward introduced possibilities working stronger consulting majors supply chain mis mould professional members provided detailed feedback projects worked welcoming understood came diverse background helped settle company comfortably members followed checked time time settled offered time company interested working healthcare finance accounting time marcheting due wide variety things picked reading welcome america festival knew opportunity roles finding analytics media management web management going round interviews jobs areas entrepreneurial mindset creat investment company related estate holdings therefore provided idead process acquisitions hold sell profit finance business analyst directly relevant provided working hr allowed aspects working working external description review resumes pick tips prepared reports audits analytical things faster process fully keep fixed schedule things downtime develop goals online time working professional learned professional tasks workers helps communication culture like fast space chose pcs feeling like cared making opportunities poor minorities pressing issues age house zip code greatly impacts future example public schooling funded property taxes thus child growing poorer neighborhood often forced poorer underfunded schools effect learning kindergarten without adequate schooling college affected thus providing opportunities wealthier middle individuals like fair share housing development stable affordable homes higher income areas children raised opportunity thrive prosperous neighborhoods basic right human regardless income given resources succeed thrive professional goals cpa graduating helped closer several ways worked cpas finance helped better concepts accounting accounting works company helping close coded bank credit card transactions correct general ledger quickbooks booked security expenses revenue accounts receivables reconciled bank statements accounts receivable vendor statements activities helped deepen accounting cash flow company financials better prepared cpa exam second working cpas learned jobs regular basis types careers becoming cpa realized controller company like accountant specializing fields taxes fixed assets revenue cfo strategic determine direction company head insights eyes variety fields available becoming cpa determine follow coming wanted future accounting finance managerial business ultimately helped business difficult seems luckily amazing helped assistant could got like bartending teach managers bartend incase gets busy hop behind bar future bartending top finally like close saying far greatest experiences hopefully college like future like office regards carrying professional saw quite extroverted communicate peers background customer service rounded understanding building meaningful relationships going transferred moments intimidated conversation conversation around hesitation hindered potential networking need near future'
In [376]:
# Tokenize the string Goals_all_words
Goal_string_tokens= word_tokenize(Goal_all_words)

# Remove non alpha words
Goal_string_tokens = [word for word in Goal_string_tokens if word.isalpha()]

Goal_string_tokens
Out[376]:
['wanted',
 'get',
 'hands',
 'return',
 'preparation',
 'planning',
 'allowed',
 'seniors',
 'partners',
 'explaining',
 'things',
 'future',
 'wanted',
 'could',
 'working',
 'time',
 'ever',
 'since',
 'began',
 'pursuing',
 'accounting',
 'main',
 'attain',
 'four',
 'seemed',
 'like',
 'reach',
 'thought',
 'reach',
 'get',
 'opportunity',
 'knew',
 'thought',
 'could',
 'keep',
 'head',
 'bdo',
 'four',
 'considered',
 'discouraging',
 'time',
 'could',
 'time',
 'bdo',
 'could',
 'impression',
 'time',
 'prove',
 'bdo',
 'takes',
 'profession',
 'meant',
 'smaller',
 'six',
 'months',
 'went',
 'learned',
 'knew',
 'time',
 'came',
 'second',
 'decemberded',
 'shot',
 'four',
 'led',
 'ey',
 'decemberded',
 'milestone',
 'four',
 'years',
 'earlier',
 'could',
 'keep',
 'head',
 'could',
 'let',
 'fate',
 'handle',
 'rest',
 'ended',
 'ey',
 'extended',
 'time',
 'offer',
 'lesson',
 'beneficial',
 'johnson',
 'johnson',
 'due',
 'however',
 'collaborate',
 'remotely',
 'colleagues',
 'globally',
 'locally',
 'approach',
 'assignments',
 'ideas',
 'ways',
 'solve',
 'either',
 'enter',
 'consulting',
 'project',
 'management',
 'roles',
 'using',
 'salesforce',
 'agile',
 'project',
 'management',
 'method',
 'boosted',
 'opportunities',
 'pursuing',
 'time',
 'roles',
 'learned',
 'troubleshoot',
 'amazon',
 'network',
 'managing',
 'network',
 'vulnerabilities',
 'professional',
 'getting',
 'cybersecurity',
 'understanding',
 'basics',
 'network',
 'works',
 'essential',
 'professional',
 'networking',
 'opportunities',
 'entirely',
 'addition',
 'living',
 'campus',
 'since',
 'marchh',
 'thought',
 'quite',
 'difficult',
 'social',
 'professional',
 'setting',
 'similarly',
 'sized',
 'company',
 'scarce',
 'interaction',
 'anyone',
 'immediate',
 'week',
 'twenty',
 'us',
 'virtual',
 'setting',
 'semi',
 'weekly',
 'virtual',
 'meeting',
 'hangout',
 'meeting',
 'allowed',
 'us',
 'get',
 'us',
 'added',
 'linkedin',
 'share',
 'similar',
 'interests',
 'certain',
 'keep',
 'touch',
 'addition',
 'meetings',
 'immediate',
 'saw',
 'several',
 'personnel',
 'additions',
 'tenure',
 'allowed',
 'network',
 'extensive',
 'list',
 'connections',
 'professional',
 'pursuing',
 'competitive',
 'tech',
 'future',
 'working',
 'vanguard',
 'largest',
 'investment',
 'management',
 'companies',
 'helped',
 'vanguard',
 'challenged',
 'tasks',
 'required',
 'critical',
 'thinking',
 'coordination',
 'learned',
 'audits',
 'time',
 'sometimes',
 'given',
 'unfamiliar',
 'times',
 'tasks',
 'going',
 'questions',
 'thought',
 'process',
 'difficult',
 'rewarding',
 'knew',
 'failing',
 'learning',
 'pick',
 'knew',
 'figure',
 'unfamiliar',
 'accomplish',
 'tasks',
 'required',
 'problem',
 'solve',
 'competitive',
 'tech',
 'future',
 'competitive',
 'firms',
 'hire',
 'employees',
 'driven',
 'problem',
 'solving',
 'working',
 'vanguard',
 'business',
 'systems',
 'technology',
 'opportunities',
 'express',
 'network',
 'digital',
 'company',
 'connections',
 'future',
 'guide',
 'opportunities',
 'tech',
 'vanguard',
 'college',
 'grateful',
 'opportunity',
 'interested',
 'events',
 'opportunity',
 'production',
 'adam',
 'lippes',
 'tom',
 'ford',
 'fashion',
 'shows',
 'office',
 'saw',
 'sneak',
 'peeks',
 'planning',
 'process',
 'seeing',
 'preparation',
 'days',
 'days',
 'together',
 'amazing',
 'reinforced',
 'desire',
 'somehow',
 'events',
 'beginning',
 'time',
 'macquarie',
 'sense',
 'urgency',
 'type',
 'like',
 'officially',
 'due',
 'discovered',
 'passion',
 'worried',
 'found',
 'yet',
 'conversations',
 'coworkers',
 'macquarie',
 'reassured',
 'stone',
 'time',
 'enter',
 'workforce',
 'reinforced',
 'working',
 'lifelong',
 'obligation',
 'sentiment',
 'reverberated',
 'thoughts',
 'entirety',
 'time',
 'macquarie',
 'allowed',
 'branching',
 'parts',
 'business',
 'explore',
 'areas',
 'remotely',
 'areas',
 'happened',
 'sustainability',
 'macquarie',
 'currently',
 'mission',
 'sustainable',
 'asset',
 'given',
 'rare',
 'opportunity',
 'helm',
 'process',
 'applies',
 'brand',
 'marcheting',
 'technical',
 'marcheting',
 'massive',
 'unique',
 'gotten',
 'elsewhere',
 'helped',
 'frame',
 'like',
 'officially',
 'enter',
 'workforce',
 'unlike',
 'clear',
 'lane',
 'needed',
 'stay',
 'macquarie',
 'room',
 'explore',
 'allowed',
 'process',
 'decemberding',
 'like',
 'post',
 'related',
 'professional',
 'pursuing',
 'networking',
 'professions',
 'colleagues',
 'networking',
 'future',
 'search',
 'company',
 'like',
 'addition',
 'experiences',
 'companies',
 'require',
 'time',
 'recommendation',
 'need',
 'time',
 'addition',
 'provided',
 'mentor',
 'guided',
 'mentor',
 'fit',
 'quickly',
 'guidance',
 'enjoyed',
 'sap',
 'helps',
 'professional',
 'growth',
 'since',
 'freshman',
 'advantage',
 'three',
 'working',
 'industries',
 'majors',
 'marcheting',
 'organizational',
 'management',
 'play',
 'distinct',
 'roles',
 'company',
 'depending',
 'law',
 'experienced',
 'differed',
 'greatly',
 'second',
 'worked',
 'skin',
 'health',
 'section',
 'pharmaceutical',
 'company',
 'saw',
 'marcheting',
 'moreso',
 'related',
 'sales',
 'trade',
 'promotions',
 'meaning',
 'worked',
 'sell',
 'companies',
 'sold',
 'products',
 'customers',
 'opposed',
 'focusing',
 'marcheting',
 'selling',
 'directly',
 'consumer',
 'working',
 'sector',
 'diverse',
 'third',
 'rounded',
 'entering',
 'workforce',
 'step',
 'outside',
 'zone',
 'choosing',
 'primarch',
 'city',
 'live',
 'york',
 'city',
 'dream',
 'york',
 'city',
 'time',
 'lived',
 'anywhere',
 'outside',
 'philadelphia',
 'allowed',
 'explore',
 'eat',
 'foods',
 'surrounded',
 'diverse',
 'addition',
 'working',
 'finance',
 'marcheting',
 'utilize',
 'daily',
 'tasks',
 'included',
 'analysis',
 'pulled',
 'salesforce',
 'reporting',
 'forecasting',
 'metrics',
 'across',
 'private',
 'wealth',
 'sector',
 'proud',
 'attempting',
 'allowed',
 'develop',
 'sets',
 'useful',
 'matter',
 'professionally',
 'learned',
 'thrive',
 'fast',
 'paced',
 'fast',
 'turnaround',
 'time',
 'projects',
 'require',
 'tasks',
 'creative',
 'utilize',
 'brand',
 'consumer',
 'analysis',
 'opposed',
 'financial',
 'analysis',
 'lessons',
 'connections',
 'fashion',
 'finance',
 'required',
 'demands',
 'collaboratively',
 'teams',
 'products',
 'expand',
 'business',
 'like',
 'learned',
 'goldman',
 'sachs',
 'effect',
 'professional',
 'networking',
 'employer',
 'encourages',
 'us',
 'explore',
 'every',
 'week',
 'break',
 'room',
 'session',
 'placed',
 'break',
 'rooms',
 'randomly',
 'normally',
 'minutes',
 'employees',
 'chit',
 'chat',
 'departments',
 'allowed',
 'view',
 'subjects',
 'perspectives',
 'topics',
 'discussed',
 'professional',
 'subjects',
 'example',
 'getting',
 'perspectives',
 'advice',
 'nail',
 'resume',
 'process',
 'eye',
 'opening',
 'addition',
 'learning',
 'true',
 'passion',
 'professionally',
 'lesson',
 'learned',
 'professionally',
 'need',
 'personally',
 'succeed',
 'professional',
 'negotiate',
 'communicate',
 'comes',
 'interviews',
 'moreover',
 'deviate',
 'finance',
 'marcheting',
 'shadow',
 'talk',
 'employers',
 'departments',
 'finance',
 'specifically',
 'credit',
 'operations',
 'acquisitions',
 'quite',
 'interesting',
 'personally',
 'professionally',
 'gained',
 'advice',
 'thought',
 'proceed',
 'hear',
 'perspectives',
 'helped',
 'keep',
 'open',
 'mind',
 'keep',
 'comes',
 'exploiting',
 'professionally',
 'personally',
 'heading',
 'final',
 'knew',
 'wanted',
 'mind',
 'telling',
 'terms',
 'profession',
 'opportunity',
 'return',
 'grant',
 'thornton',
 'final',
 'discovered',
 'working',
 'completing',
 'time',
 'around',
 'showed',
 'working',
 'directly',
 'clients',
 'exposed',
 'pandemic',
 'changes',
 'facets',
 'spoke',
 'accounting',
 'heard',
 'saying',
 'accountants',
 'hate',
 'accounting',
 'happily',
 'case',
 'instead',
 'provided',
 'glimpse',
 'future',
 'potentially',
 'years',
 'line',
 'showed',
 'weird',
 'passion',
 'inside',
 'mind',
 'flash',
 'pan',
 'beginning',
 'journey',
 'might',
 'getting',
 'little',
 'deep',
 'away',
 'final',
 'sense',
 'knowing',
 'thrill',
 'excitement',
 'things',
 'progress',
 'rest',
 'close',
 'officially',
 'beginning',
 'post',
 'looking',
 'diversify',
 'develop',
 'professionally',
 'individual',
 'allowed',
 'exposes',
 'variety',
 'financial',
 'perspective',
 'process',
 'perspective',
 'variety',
 'clinical',
 'trials',
 'due',
 'pandemic',
 'things',
 'clinical',
 'trial',
 'process',
 'professional',
 'goals',
 'analytical',
 'marcheting',
 'focused',
 'traditional',
 'marcheting',
 'content',
 'creation',
 'working',
 'events',
 'helping',
 'design',
 'brochures',
 'opportunities',
 'launch',
 'digital',
 'marcheting',
 'campaigns',
 'analyze',
 'result',
 'wanted',
 'digital',
 'marcheting',
 'creative',
 'analytical',
 'marcheting',
 'rounded',
 'interested',
 'pursuing',
 'marcheting',
 'analytics',
 'hoping',
 'opportunity',
 'familiar',
 'digital',
 'advertising',
 'platforms',
 'visualization',
 'tools',
 'responsible',
 'ad',
 'campaigns',
 'company',
 'websites',
 'involved',
 'digital',
 'marcheting',
 'creating',
 'ads',
 'facebook',
 'google',
 'verizon',
 'media',
 'noticed',
 'interested',
 'gaining',
 'analytics',
 'introduced',
 'workers',
 'later',
 'involved',
 'centric',
 'projects',
 'relatively',
 'small',
 'company',
 'frequently',
 'testing',
 'platforms',
 'initiatives',
 'offer',
 'better',
 'advertising',
 'results',
 'therefore',
 'often',
 'asked',
 'extract',
 'analyze',
 'using',
 'software',
 'techniques',
 'minimal',
 'prior',
 'aspects',
 'professional',
 'goals',
 'pursuing',
 'time',
 'spent',
 'reignited',
 'passion',
 'scholar',
 'corrected',
 'dedicated',
 'second',
 'accounting',
 'intern',
 'estate',
 'company',
 'philadelphia',
 'includes',
 'minor',
 'interesting',
 'together',
 'could',
 'possibly',
 'degree',
 'looking',
 'forensic',
 'accounting',
 'profession',
 'audit',
 'nice',
 'could',
 'accounting',
 'estate',
 'together',
 'future',
 'options',
 'rounded',
 'possibilities',
 'finish',
 'classes',
 'moving',
 'future',
 'possibilities',
 'endless',
 'learned',
 'comcast',
 'facets',
 'alone',
 'nonetheless',
 'company',
 'works',
 'like',
 'spoke',
 'wheel',
 'spokes',
 'breaks',
 'wheel',
 'stops',
 'learned',
 'working',
 'company',
 'like',
 'comcast',
 'backgrounds',
 'jobs',
 'tasks',
 'goes',
 'together',
 'move',
 'forward',
 'left',
 'behind',
 'pulls',
 'working',
 'network',
 'backgrounds',
 'like',
 'senior',
 'vice',
 'president',
 'working',
 'frontlines',
 'retail',
 'stores',
 'working',
 'california',
 'working',
 'right',
 'philadelphia',
 'hopefully',
 'making',
 'impression',
 'open',
 'door',
 'possibly',
 'engineer',
 'scientist',
 'needed',
 'improve',
 'technical',
 'getting',
 'sql',
 'technologies',
 'like',
 'azure',
 'strategic',
 'decembersion',
 'maker',
 'future',
 'opportunity',
 'directly',
 'numerous',
 'individuals',
 'shift',
 'contribute',
 'conversations',
 'decembersions',
 'tremendous',
 'future',
 'directly',
 'decembersions',
 'created',
 'tools',
 'enable',
 'decembersions',
 'decembersions',
 'closely',
 'align',
 'agreed',
 'upon',
 'outcome',
 'professional',
 'goals',
 'cpa',
 'gained',
 'auditing',
 'four',
 'sections',
 'cpa',
 'exam',
 'got',
 'connections',
 'public',
 'accounting',
 'get',
 'offer',
 'process',
 'excited',
 'helped',
 'get',
 'connections',
 'success',
 'increasing',
 'skillset',
 'related',
 'gaining',
 'trying',
 'cover',
 'topics',
 'business',
 'revolved',
 'around',
 'construction',
 'interested',
 'trying',
 'without',
 'directly',
 'involved',
 'labor',
 'things',
 'eyes',
 'understanding',
 'companies',
 'function',
 'unexpected',
 'company',
 'actually',
 'function',
 'seeing',
 'company',
 'function',
 'poorly',
 'decembersions',
 'aspects',
 'company',
 'performing',
 'peak',
 'eye',
 'opening',
 'classroom',
 'projects',
 'need',
 'together',
 'business',
 'model',
 'pull',
 'professional',
 'stepping',
 'stone',
 'due',
 'constant',
 'problem',
 ...]
In [377]:
import re

Goal_string_tokens= re.sub(r'[^a-zA-Z0-9]', ' ',Goal_all_words)
Goal_string_tokens = Goal_string_tokens.replace('   ' , '')
Goal_string_tokens = Goal_string_tokens.replace('  ' , '')
Goal_string_tokens= Goal_string_tokens.replace('x000dx000d','')
Goal_string_tokens= Goal_string_tokens.replace('x000d','')
Goal_string_tokens= Goal_string_tokens.replace('j p','jp')
Goal_string_tokens= Goal_string_tokens.replace('x x','')
Goal_string_tokens= Goal_string_tokens.replace('marcheting','Marketing')

Goal_string_tokens= Goal_string_tokens.replace('full','')
Goal_string_tokens
Out[377]:
'wanted get hands return preparation planning allowed seniors partners explaining things future wanted could working time ever since began pursuing accounting main attain four seemed like reach thought reach get opportunity knew thought could keep head bdo four considered discouraging time could time bdo could impression time prove bdo takes profession meant smaller six months went learned knew time came second decemberded shot four led ey decemberded milestone four years earlier could keep head could let fate handle rest ended ey extended time offer lesson beneficial johnson johnson due however collaborate remotely colleagues globally locally approach assignments ideas ways solve either enter consulting project management roles using salesforce agile project management method boosted opportunities pursuing time roles learned troubleshoot amazon network managing network vulnerabilities professional getting cybersecurity understanding basics network works essential professional networking opportunities entirely addition living campus since marchh thought quite difficult social professional setting similarly sized company scarce interaction anyone immediate week twenty us virtual setting semi weekly virtual meeting hangout meeting allowed us get us added linkedin share similar interests certain keep touch addition meetings immediate saw several personnel additions tenure allowed network extensive list connections professional pursuing competitive tech future working vanguard largest investment management companies helped vanguard challenged tasks required critical thinking coordination learned audits time sometimes given unfamiliar times tasks going questions thought process difficult rewarding knew failing learning pick knew figure unfamiliar accomplish tasks required problem solve competitive tech future competitive firms hire employees driven problem solving working vanguard business systems technology opportunities express network digital company connections future guide opportunities tech vanguard college grateful opportunity interested events opportunity production adam lippes tom ford fashion shows office saw sneak peeks planning process seeing preparation days days together amazing reinforced desire somehow events beginning time macquarie sense urgency type like officially due discovered passion worried found yet conversations coworkers macquarie reassured stone time enter workforce reinforced working lifelong obligation sentiment reverberated thoughts entirety time macquarie allowed branching parts business explore areas remotely areas happened sustainability macquarie currently mission sustainable asset given rare opportunity helm process applies brand Marketing technical Marketing massive unique gotten elsewhere helped frame like officially enter workforce unlike clear lane needed stay macquarie room explore allowed process decemberding like post related professional pursuing networking professions colleagues networking future search company like addition experiences companies require time recommendation need time addition provided mentor guided mentor fit quickly guidance enjoyed sap helps professional growth since freshman advantage three working industries majors Marketing organizational management play distinct roles company depending law experienced differed greatly second worked skin health section pharmaceutical company saw Marketing moreso related sales trade promotions meaning worked sell companies sold products customers opposed focusing Marketing selling directly consumer working sector diverse third rounded entering workforce step outside zone choosing primarch city live york city dream york city time lived anywhere outside philadelphia allowed explore eat foods surrounded diverse addition working finance Marketing utilize daily tasks included analysis pulled salesforce reporting forecasting metrics across private wealth sector proud attempting allowed develop sets useful matter professionally learned thrive fast paced fast turnaround time projects require tasks creative utilize brand consumer analysis opposed financial analysis lessons connections fashion finance required demands collaboratively teams products expand business like learned goldman sachs effect professional networking employer encourages us explore every week break room session placed break rooms randomly normally minutes employees chit chat departments allowed view subjects perspectives topics discussed professional subjects example getting perspectives advice nail resume process eye opening addition learning true passion professionally lesson learned professionally need personally succeed professional negotiate communicate comes interviews moreover deviate finance Marketing shadow talk employers departments finance specifically credit operations acquisitions quite interesting personally professionally gained advice thought proceed hear perspectives helped keep open mind keep comes exploiting professionally personally heading final knew wanted mind telling terms profession opportunity return grant thornton final discovered working completing time around showed working directly clients exposed pandemic changes facets spoke accounting heard saying accountants hate accounting happily case instead provided glimpse future potentially years line showed weird passion inside mind flash pan beginning journey might getting little deep away final sense knowing thrill excitement things progress rest close officially beginning post looking diversify develop professionally individual allowed exposes variety financial perspective process perspective variety clinical trials due pandemic things clinical trial process professional goals analytical Marketing focused traditional Marketing content creation working events helping design brochures opportunities launch digital Marketing campaigns analyze result wanted digital Marketing creative analytical Marketing rounded interested pursuing Marketing analytics hoping opportunity familiar digital advertising platforms visualization tools responsible ad campaigns company websites involved digital Marketing creating ads facebook google verizon media noticed interested gaining analytics introduced workers later involved centric projects relatively small company frequently testing platforms initiatives offer better advertising results therefore often asked extract analyze using software techniques minimal prior aspects professional goals pursuing time spent reignited passion scholar corrected dedicated second accounting intern estate company philadelphia includes minor interesting together could possibly degree looking forensic accounting profession audit nice could accounting estate together future options rounded possibilities finish classes moving future possibilities endless learned comcast facets alone nonetheless company works like spoke wheel spokes breaks wheel stops learned working company like comcast backgrounds jobs tasks goes together move forward left behind pulls working network backgrounds like senior vice president working frontlines retail stores working california working right philadelphia hopey making impression open door possibly engineer scientist needed improve technical getting sql technologies like azure strategic decembersion maker future opportunity directly numerous individuals shift contribute conversations decembersions tremendous future directly decembersions created tools enable decembersions decembersions closely align agreed upon outcome professional goals cpa gained auditing four sections cpa exam got connections public accounting get offer process excited helped get connections success increasing skillset related gaining trying cover topics business revolved around construction interested trying without directly involved labor things eyes understanding companies function unexpected company actually function seeing company function poorly decembersions aspects company performing peak eye opening classroom projects need together business model pull professional stepping stone due constant problem solving flexibility situation actually inner workings family business top bottom ranges hiring process contract negotiations else personally deepen professional connections city get future employers improve reputation like done ultimate improve professional resume achieved technical meaningful done recent months projects involved leveraging analysis business insights mitigate risk notably opportunity undertake machine learning projects demonstrate subject involved implementing state art natural language processing models sentiment prediction text extraction sales logs software tableau used visual charting probe credit trends newlane fitting quantitative projects better understanding equipment financing portfolio management every week diving deeper interpreting risks portfolio coming inside departments company operated process potential approved contract working practice picked could prove useful search related professional communicate effectively virtual knowing communicate things correctly via email private message crucial ensure page collaborated projects success working home current given invaluable regardless working virtual allowed explore minor consists studies working setting leader follower applied working classroom setting organizations time accounting pittsburgh studying cpa exam backgrounds working four accounting firms accounting five years network get contact recommendations offices pittsburgh relatively small uncommon working certain projects andersen understanding intern intricacies yet time explain explicitly helped bigger picture copy pasting numbers excel sheet importance upper management needs got variety services andersen offers confident going service line six months realized thoroughly private services opposed diving corporate salt state local projects sales taxes helped get better accounting like visualize exactly store post got variety services andersen offers confident going service line six months realized thoroughly private services opposed diving corporate salt state local projects fantastic realized private investing speaking entrepreneurs showed like time refine leadership utilization basic principles management cover move keep things simple prioritize execute decemberntralize command principles taken works jocko willink laif babin sake short answer response principle prioritize execute rarely struggle executing directives given told plain simple however struggled prioritize effectively cause problems personally professionally decemberding needs done critical lacking leads poor time management every required identify priorities act example necessity lines section time occurred either someone cover lines covered line time instances nobody else available cover extra line prioritize opportunity like every became fairly skilled prioritizing tasks fell purview tasks prioritize spot priorities positions therefore capable filling quickly improvement prioritize execute leader college finding Marketing choice vague directions fall category Marketing said helped particular Marketing viable option future professional goals sort management maybe company working boss vice president bank eye opener watching departments sight witness need command kind opportunity watch someone need picture companies management leader bigger picture fit pieces project together saw worked mind bigger project results wanted crack deadlines huge clear concise leader got watch boss worked grad future management single inspired get master degree future follow direct solidified healthcare pharma post main coming rest coo helped assist future government contractor learned processes standards military grade seen experiences better upon accepted assistant project private government contracted experienced asset helped develop communication could future interviews choice Marketing tech together things like get involved app design ux design minor Marketing seemed like fit extroverted customer facing pulling shell introvert deal confrontation customer facing zone genuinely geico allowed reach pursuing confident representing getting fear negative results years university constantly fear making mistake told interested presenting addition terrified public speaking avoid getting quick slides presentations noticed fears scared negative result confident things presenting geico helped develop reach quickly visiting dealerships times tell interested promoting already working insurance agency accept simply trained supervised sales office talking get agents signed however couple trips together finally turn accept negative results fix holes promotion visiting dealerships addition spokesperson geico allowed develop better communication since communicate geico wanted dealerships vice versa geico allowed confident negative results happen expected negative results lessons positive results helped reach learning gaining investment management believed wanted helped narrow alternative investments towards equities fixed income working renovembers helped connect investment banks york land time developed seeing deal process buyside provided numerous future endeavors allowed receive time offers top investment banks york working private equity months opens doors across top finance roles consulting private equity investment banking venture capital corporate development founding partners renovembers communicated daily included ton exciting projects statement financial model deliver directly clients developed excel financial acumen commuting wayne pa profile financial service firms located outside philadelphia helped acclimate areas outside philadelphia open meeting individuals juneor became friends term renovembers recent opportunity meaningful working biggest banks goals working company like jp morgan chase post additionally basel measurement analytics retail capital reporting analyst situated treasury chief investment office balance sheet reason networking alumni learned experiences gained working company like jp morgan aligned wanted follow projects analysis lines business automation projects could learned carrying projects familiarizing started gaining responsibility reporting processes time senior laid foundation post coming goals terms wanted get companies wanted get time college wanted pursuing entered knew loved computers technology passion tried engineering unhappy finding mis business analytics chubb helped professional goals explore environments working cultures provided typical american corporate every business activity controlled established processes procedures documented volume company sharepoint since operations supply chain management technology innovembertion management could benefits operations innovembertion upon reflecting move exploring rather opposite belong helped better narrow professional goals prior unsure future enjoyed motivated valuation analyst continued keep learning financial modelling valuation realized future roles contain financial modelling motivated delve deeper financial modelling types investment banking private equity roles ultimately professional every related goals goals wanted impact could improve media relations coordinate interviews yahoo news today website axios bloomberg quicktake cheddar news helped list contacts resulted media coverage clients cryptocurrency went maybe learned pull contacts reach reporters pr helped confirm business sort financial accounting database awesome like least future going enjoyable liked working found direction professional goals got hired excited landed dream dream eager difference wait takes professional goals diverse analytics learned classroom greatest benefits learned action critical working schmidt business consulting technical learning used excel access compile datasets simplify workers used pivot table filters reformat sets database access better visualize coming learned weekly expert used created reports dashboards salesforce software familiar accounts products pricing common software businesses get resume proficient reach goals future diverse several jobs companies opportunity switch positions move began time years ago finance working goldman sachs get easily juneor round interviews unfortunately chosen alternate bouncing years later achieving working gs showed instead giving harder time achieved working gs time experienced uncertainty regarding direction competency succeed due drastic changes majors started freshman interior design suddenly changing sports management senior business administration lebow taken wide variety courses subjects colleges often uncertain belonging classes prepared qualified enough peers identified strived establish achieved retrospect upon moving forward learned competent qualified settings share historical context intelligence limited subject business learned could table second guess grace someone else counterpart share load follow independence superiors abilities accomplish goals enhance technical abilities found rarely determining qualifications critical thinking creative solutions problem solving analysis far realized vital abilities possess allowed follow established regulations auditors follow wanted cpa experiencing excel audit section cpa exam bettering understanding estate finance primarchly finance second primarchly estate construction allowed combine experiences transactions covered daily terms professional goals provided opportunity develop better understanding cmbs commercial mortgage sector interested reits underwriting commercial estate finance get direct reits underwriting access plethora material provides unique terms goals allowed fulfill acquiring graduated kbra found encourages professional development creating atmosphere cmbs professional goals environments already worked gap experienced public sector second wanted huge corporate comcast definition surprised similar working public sector private makes sense hindsight since three structures regulating startups nature probably happiest working decemberntralized noticed distinct difference motivation working comcast three environments cared cause working comcast mainly pay benefits seem like slough pushes towards figuring kind company pros cons kind could get worked venture capital starting business venture enabled business raise money develop strategy leadership takes enabled better leverage technology entrepreneur vital better venture process connections space helped confident raise future funding venture backed business started home services business leverage technology efficiencies working software helped f types software leverage else add terms thought get count please ignore vvthe vthe vthe vthe vthe professional depth business operations energy sector goals starting sunoco lp general sense business operations united states relative india wanted explore difference management styles finances handles business conducted helped exactly got closely director operations management besides routinely conversations directors ceo coo meetings events conversations got observe talented handle crises business partners customers got trade secrets regarding oil gas giants share comparison second india clearly saw huge differences employees managed expected executives biggest observation employees sunoco treated company foreign entity working without emotional someone aspires business saw firsthand importance making employees larger importance making significant company learned networking necessary successful wealth management looking forward network relationships settings potentially towards professional success prepared successful networking quest get practice employees interning time could nt better enjoyed comparing peco provided minimum training repetitive non interesting stunned growth engaged aspects business digital Marketing learned practiced html search engine optimization user content production like learned supervisor extensive training aspects seo helped boarding training prepared entire term future invited meetings company highly transparent things operate voice heard highly suggest students employer like college ave prepares enable ready future learned special sociality like campus unexpected situations need handle example finding error bidding document minute uploading campus concern appear working lecture prepared resource destinated goals fail however sociality complicated prepared resource clear road future crossroads working appear often usually need quick decembersion based ethics glory campus successes lecture like getting like easy sociality success failure need failure could failures compared campus excitement successy used campus refine company improvement confirms importance college ambition higher degree graduated continued understanding working personalities grown peoples strenghts finding weaknesses allows outcome advantage learned time means leader directly correlates leader community directly allowed flex engineering finance degree allowed offer unique perspective problem solving addition allowed actual gained classes better concepts topics professional allowed makes passionate working extra hours forced successful allowed renovembers helped existing form goals least embarking exposed learning experiences past highly effective preparing beyond college improve soft technical additionally result experiences learned aside development network extensively beyond form professional currently goals spending six months hugely impactful excited opportunity staying time indefinitely eager professional goals enhance technical familiar certain systems willing assist providing opportunity using everyday processes allowed thrive supportive exciting engaging enhanced gaining navigating systems proficient handling python reading sas script analysis enjoyed working focused learning development understanding write types environments working types clients loved resulted viewing training perspective seeing used company clients working improving powerpoint future need get better writing creatively effectively business engineering taken courses due coursework needed degree however time improve writing business development roles improve creative writing improve business development improve practice included writing relevant creative outreach emails applying opportunities trade challenges benefit greatly gained greater understanding relevant resume builders terms writing perfect balance nice mean regarding communicate generally live crucial perfect art nice assemblers advantage hand mean assemblers intentionally harder ultimately goes assembler nice mean anyone reason said establish taken advantage supervisor means responsible running line making operates close means every line properly function timely manner unfortunately live perfect every every assigned supervisor tips timely manner angry keep hand majority complain difficult line fast situation ensure ok need assistance enough business eventually started etsy shop quarantine learned sharpening core helping professional giving resume worthy knowledgeable business risk floundering seen legitimate sought expertise helped hr learned coworkers climb ladder certifications since reviewed resumes every employer standpoint candidate three vastly experiences decemberded interested going sales specifically pharmaceuticals replicating pharmaceutical sales virtually impossible working access incyte given opportunity daily functions pharma sales rep professional goals opportunity attend speaker virtually discuss polycythemia vera blood cancer causes bone marchow cells patented drug incyte jakafi treatments cancer indication speaker sales reps enjoys dinner nurses doctoberrs health care professionals physician discusses disease case scenarios patients living pv solutions improve quality attend took kansas city preview normal activity participating pharmaceutical sales rep addition opportunity network rep brought daily roles functions opportunities like speaker networking reps incyte given intel hopey open doors time jobs professional becoming buyer procurement executive allowed procurement creative ways via projects projects freedom direction saw fit interesting solve problems discuss solution feedback improvements line using education financial privilege repair regrow protect marchinalized communities gentrified purposey excluded investment estate development starting almost years ago provided opportunity host produce weekly webinar podcast called jumpinar nin interviewed members estate front sizeable audiences attendees produce live webinar audio podcast got broadcast wrgu fm every friday fulfills incorporate radio programming beyond participating college station professional exposed financial marchets instance enjoyed learning emerging marchets countries china taiwan japan including companies reside countries learned politics government regulation economic conditions china played performance plethora tech companies interested wrote news article explored heard news emerging marchets nothing knew emerging marchets played huge global economy learned small cap companies attributes affect performance small cap companies like enhance pursuing portfolio need aware occurring global economy reading financial news general staying sharp academics finance classes progress understanding financial marchets need read financial news u countries realized wanted healthcare csl behring allowed pharma classes business healthcare glenmede opportunities majority greets enjoyed every conversations office alongside seeing walk desk nice talk peter zuleba executive breakfast meetings opportunity gordon fowler opportunity talk executives ceo company makes glenmede stand opportunity company like vanguard vast size summer project networking experiences company given opportunity project college peers project must ways acquire retain generation clients presentation project coming weeks pursuing investment management hand finance allowing departments paid mutual funds daily ensuring funds balanced reports responsible daily weekly emphasized importance management style gel abrasive management positive feedback uncommon going forward better understanding like handle working managers fit perfect style pick managed understanding stay efficient management style independent taking initiative things past hesitant initiative things overstep wanted employer proactive solve potential problems issue completely therefore independent given standard operating procedure document outdated teach working realized certain wrong included document solely solved problem update standard operating procedure document future students frustrating overcome challenges confident independently taking initiative learned times employer took step trust responsibility result proactiveness showed thrive independence confidently proactive got working sets using numbers tell cohesive story operations time graduating learned state operations figure ultimately improve operations noticed distinct difference initial supervisor built templates finish specifically busy handed financial statements expected fix issues professional treated equal refreshing note finance minor computer science entertainment specifically film tv advertising fields studying film subject matter interesting like fact film huge accomplishment studying film prior difficult get film coursework intro get resume independent search finding difficult however taken spoke teachers reached jobs finally landed accomplishment personally academically professionally proved majoring film mean get related personally invest estate perfect opportunity estate takes property saw things paid saw needs get done taken coursework related estate get done moved forward management coursework future estate every related barely understood managing properties spoke heard company departments alumni told experiences went educational experiences peco helped allowing time classes time positions outside connections company connections ever helped business law law wanted opposed fields worked perviously communication academically projects settings past pwc professional goals type like offered time company upon huge weight shoulders professional striving towards since beginning time company time final without worry looking time employment additionally begin studying taking certified public accountant cpa exam four parts difficult exam attempting get exam done starting time company without built unsure enter workforce half belt opportunity ahead time potentially cpa exams starting time thankful huge milestone professional goals receiving time offer four accounting looking forward hopey surpassing receiving cpa licenses soon final looking scale global corporation footprint practices fmc fulfilled looking behavior supervisor overwhelming times benefit pursuit establishing professional post involved campus lives freshmen easier helped meeting talking gateway garden located front u cross meeting talking ways garden accessible students despite covid scenario meeting talked putting gateway garden digital areas app connect areas already ideas like since youngest meeting saw importance digital Marketing making impression audience contribution valid took consideration wanted digital covid taking toll popularity gateway garden students opportunities students online achieved students arrive campus freshman sophomores seniors shown goes behind getting campus ready freshman certainty quite related professional finding investment banking assist bit actually disappointed resources offered get none dedicated tens hours speaking underclassmen breaking investment banking common disappointment assistance given amazing institution clearly target appears right plans changing achieved constant networking inside banks ultimately leaving offers summer analyst offered time fulfilled professional getting dream moving york city wish organized finance successful alumni dig years resource students longed years learned accomplishing professional taking classroom senior smoother ready marchh highest dreams achieved advance freshman main goals connect alumni journey past months pleasure working lebow alumnus amazing someone understood exactly going moment working time taking classes boss mike known south philly touch time working forrester line ever needed network someone reach gladly happen advice professors live post grad makes eventually effect students dream company takes given opportunity journey invaluable someone took similar years older excelled mike showed genuinely professional technical coding wanted get baseline understanding coding platforms baseline specify certain narrow search get depth chose analysis since liked creating models interpreting results datasets applications allowed depth analysis get datasets used get since employer knows depth someone without professional working estate finance taking right route pursuing estate finance knew wanted get masters wanted get masters get masters finance allowed majoring exactly older arrived university pricewaterhousecoopers pwc pwc leading accounting profession logical choice working leader accounting profession adding fortune clients pwc represents mind leading ultimate pwc prepared technical accounting including trial balance analytics accounting software usage regulatory compliance additionally soft critical facing roles include quick thinking professionalism ensuring y versed discussed entering meeting representing pwc critical versed business dealing respective meeting provided business managers pwc add meetings ultimately invited meetings dream attend levels hierarchy pwc ranging associate global engagement partner eventually get global engagement partner discuss beneficial pwc personally professionally reach goals professional network connections could potentially mentor became close boss became mentor helped pathways figure wanted graduated greater understanding wealth management portfolio estate fit individual investment portal goals estate investment property spending working brokers process goes acquiring estate investment piece engaging broker tactics employed broker going forward taking sales negotiations classes enhance selling negotiation former employer used future sales completing organizational management better clients brokers helped professional goals related planning gained strengthened transferable events months panels audiences community pushed zone reach network alumni probably beginning covid crisis lockheed marchin working closely u defense dod identify ways critical financial operational vulnerable elements u defense industrial base since marchh corporation accelerated payments suppliers including small businesses across states lm works closely dod goals soon commission second luitenent united states army valued working company upheld respect nation mission Marketing gained hands examples classroom everyday needs wants clients delivering presentable senior soon hired technology automotive Marketing aspects translate future found like coordinate workers get projects planning project executing working liked future avoid coordination positions improved immensely confident like land like college found like competency based better based certain nothing non profit business minimum higher ed second found downsides non profits far avoid looking looking getting estate self starter eye opening reach obtain potential continued spark cybersecurity systems eager studies msis cybersecurity stepping stone enter learned discussed daily importance cybervigilance aware phishing malware ransomware exhibit cyberbehaviors communications technical heavy coursework stronger technical prowess remember foundation cybersecurity learned moreover collaborate teams communicate upper management towards confident sharing thoughts ideas struggled time provided safe encouraging collaborative pushed step zone share ideas projects better government contracting works hand military industrial complex considering taking allowed stand military officer civilian understanding negotiate better helped decembersion like private sector government knowing allows pinpoint goals certain years milestones abstract ideas wonder anything entire prepared military civilian accepted offer return time drive forward entire plus returned second instead looking company incredibly pleased honestly need words express sum quite quickly individual immerse learning hobbies allowed things done shoe clothing goes behind scenes worked financial analyst global treaty chubb requires understanding insurance general marchetplace example company rate therefore helps closer college reality financial analyst financial advisor prepared essential technical analyst finance instance query database management system peoplesoft finance cognos besides accounting helping managers issue treaty codes genius balance sheet system besides technique improve soft financial analyst detail oriented time management gained spend time studying finance math short term enroll specialized interested going social media introduction related professional closest sports incredible experiences working exactly wanted youth professional sports enjoyed working non profit youth sector stone prefer working professional sports rather non profit youth mean hold tremendously however allowed completely virtual opinion could completely far achieved thinkn better networking networking absolutely vital employees snider hockey monthly improve connections absolutely incredible lose networking gained past ones improve chances getting dream searching connections launch wanted working companies sizes office second small company employees entire company macquarie international company offices around finally working corporate adapt working individuals cultural backgrounds redundant creative ways things interesting professional going working age realty working realty fuwa owned family family business decemberding family taking route completing Marketing analyst realized interests like chubb finance realized liked helping family finished finance helped zone used laid moves slower worked directly clients helped accountable meaning deadlines effectively proactively communicate progress learned constantly reprioritize enough time deadline iterate necessary used importance waiting minute incorporating mentality style helped successful additionally learned difference busy productive multitude assignments varied terms attention needed depth required urgency get done someone else relying regulatory deadlines current state relationship usually done based proximity deadline however learned incorporate factors working busy productive aspects determination possibly improved ethic communication done communication front given feedback received check ins progress step right direction helped confident decembersion investments pushed remain focused regardless events grateful training provided moving forward cfa certification expand investment strategies portfolio management theories better catering clients future whilst greatly enjoyed time icam discussion colleagues members helped establish add better suited involvement investing process collaboration common macquarie allows cumulative strong contacts impressive backgrounds maintain contact professionals continuously improve academics passion investments professional goals going advertising campaign opportunity freedom previously advance philly opportunity trusted showing went grateful opportunity professional pursuing figuring future helps get get gives perspective facing future like gotten hands understanding built professional relationships learned number things future example communicating appropriately effectively audiences compare making presentation front working project opportunity gaining progressive responsibilities fulfilling developing leadership capacity utilize pick learning condition input activities undertakings useful working ought ways understudies convey altogether professionally partners managers customers forth pleasure working effectively diverse backgrounds beliefs values behaviors integrate culture hierarchy effectively ought classes emphasis perspective understudies break comprehend better prepared innovembertion necessary piece ages organizations manner essential aptitudes permits us ahead reality making assignments less demanding productively classroom exercises ought concentrate projects vocation ought adequately understudy earth self cooperative education played vital helping figure goals ones incredible experiences yet leaders generally sit weekly update meetings direct entire included engineers mid higher managers takes managers check making things running smoothly eventually like reach company time exposed leadership development programs company select applicants interested staying term eventually becoming sooner later like compete applicant leadership development top company managers seen interesting involve enjoyed working load satisfying anything away starting company goals seeing young entrepreneurs dream mindset straight get degree looking business working agile brains consulting helped process starting entails marcheter upon strategic creative projects exactly deepened skillsets ways leading wanted improve written verbal communication weekly meetings progress found challanging every week got better better interesting worked home months company gone met members anyway globe global company internation business classes mis classes defiantly prepped consisted instruct built rapport assemblers esl helped particularly learned came heightened profession term future Marketing college helped pick direction direction potential goals Marketing sports Marketing intern like stand compared Marketing majors Marketing main prevalent time marchus millichap emphasis sales backed pitches individuals companies backed loads customer needs business experienced coops wanted future development business eventual main player commercial estate development key business creating relationships among deals backed influence clients understanding influence leg competition future brought closer branding Marketing working brand relevant future goals original created campaign adhd awareness wanted add professionals treated like trust supervisors colleagues kept giving meaningful challenging tasks pushed loved trust showed accomplished get assigned tasks actually expecting helped professional actual learned communication colleagues like like figure things successful successful means earning money future helped things like things like example dislike working customer service worst worked presales sap hoping dive third enabled sales process software company compare contrast past seeing aspects mid sized company compared scale sap working frontline term project brought managers evaluating ranking system potential customers target errors correct met praise acceptance stepping outside looking deeper granted analysis scoring analytical sales process found enjoyed sap trend frontline expand project proposed honest accounting feels professional liking prefer treated respect newer said times integral treated like dog earn cpa public coming old college freshman wanted professionally time university things industries professions three looking senior better post grad sense accomplished huge particular exposed retail roles addition opportunity shadow supervisor incredibly rewarding grateful helped actualize professional goals goals get wanted interested wanted medical however knew biology finance began looking opportunities finance academia opportunity picky options time fortunate get asset management exactly line like interesting helped develop need college learned money managers performances funds sometimes omitted presentations says fund included involved learned things pertained learned opportunities found interesting nonetheless steppingstone eventually wish helped goals like impact company community guide decembersions like mattered impact disappointed feeling wanted least experiences left feeling accomplished fortunately fit saw impact since fit clear things looking post grad accumulate sustainable wealth attaining learned lifestyle appealing develop brief finance allows corporate lifestyle future gained current supplement eventually open small business learned grueling hours billion dollar company unnoticed fulfilled professional goals rotational college network paths goals pursuing actively engaged things classroom actively brought ideas asked questions asked beyond responsibilities example asked could cam credit approval memorandum credit officers daily basis cam helped get better understanding fundamental credit meeting learned initiative helped land return offer bank time became enrolled rotational credit looking forward getting teams groups years dreamed going wall street since freshman coming true get early beyond forward making friends connections seeing like years might explore options commercial banking corporate banking areas considered critical thinking nature forensic accounting need alert going things making sense using continuing develop aid greatly future main reasons chose milkcrate community milkcrate creates customizable templated apps non profits apps arts programs students environmental matters wanted small medical device company top law getting non related skateboard instructor community knew wanted positive community coops realized enjoyed working small businesses liked openness ideas impact milkcrate certified b corp meaning strives social environmental impact feels knowing reflected community purpose positive companies consideration social impact community operate working milkcrate shown difference community environmental ethical organizations exist thrive example rest time uncertainty professional goals opportunities automate business processes term goals automation specialist opportunity related projects working analytical projects using power bi done visualizations opportunity future goals business analytics time given projects appreciated produced asked creating quality learning including management encourage open mind learned quality collaborate collaborated formed students valued teaching tasks needed hand independent working closely learned taking independent things perspectives outside box around willing advise assist questions perspective classroom excited staying time professional development managers fostered encouraged true positive could relation networking opportunities allowed engaging unique projects anyone else rarely individuals coworkers met thought could informative interests thus suppose fulfilled networking opportunities far often told someone time meeting followed sincerely appreciate members assist connecting however recognized unwilling assist like reflect disappointment sincerely hoped professional project production explicitly told allowed opportunity production despite endless free time meeting exceeding project requests due dates working production insisted tour projects despite exact description members controlling unprofessional frankly immature attitude members leadership left devastatingly unfulfilled upset experiences hoped attain biggest goals personally academically professionally hone things fit needs stand needs met huge exercise unhealthy situation action remove situation goals education towards law degree strengthened desire sparked previously thought spent time speaking employer future quickly learned agent requires contracts write gives huge step competition player contract contract endorsement deal agents benefit navigate reminded like football capacity perfect analyze film recruit players sign learning goes contract negotiation agents athletes brand deals begin things classes get context experiences anticipate going right working years belt process better road went beyond expectations resource learned models specifically women indispensable matter working impact makes vital essential acquire experiences makes asset anywhere pretty foreign dealing corporate fraud cases security risk cases working huge range companies across industries applied need succeed pretty far zone challenged ways cases complex depth analysis required immense types cases material dealt directly excel coding analysis complex problem solving succeed lasting impact company clients worked goals post financially working merck learned needed provided framework success future helped sharpen problem solving lots ad hoc assignments projects assigned resources available project professional skillset small businesses operate function financial modeling entrepreneurial finance classes small businesses evaluate business opportunities researching educational consulting resources perfect match aspirations eye since search business procure prior furthermore enjoyed college basketball someday either coach director basketball operations ncaa division said ideal obtained wealth experiences better daily innerworkings college basketball performed array duties ranging recruitment practice game logistical planning perhaps importantly exposed variety technologies systems essential functions spent practices videotaping working audiovisual hardware synergy software recruitment gained working microsoft powerpoint prezi adobe photoshop tangible college basketball got finance healthcare company got previously healthcare company interesting dynamics got finance terminology got get export financial systems nice networking opportunity process improvement innovembertion fulfilled expectation process improvement innovembertion regulated leads paying attention detail communication global pick guidance supervisor thoughts paper produce products ideas excited company finance estate aspects makes working fields applicable jobs encompass inspires dull every single company like servicestar got little bit accounting development fund raising working financials wrapped helped professional development learned upfront clients advice listen rather trying fix problems clients faced realized grown excited learned hopeful helped shape realistic goals future reach confident abilities handle thrown involves outside classroom organized remembered done used planner wrote things yes works time usually remember assignments dates exams meetings however found struggling remember needed get done mentioned needed done tomorrow took upon list post knew exactly needed get done constantly got overwhelmed small tasks needed remember writing helped get organized encouraged using planner winter term remember assignments due written slim might forget forward using planner writing spring term beneficial taking courses spring hopey keep organized knew wanted sports due pandemic available sports opportunities turned live events live events like concerts festivals conventions require infrastructure sports need working welcome america learned partnership management activate relationships need background sports enjoyed particular sports used translate get get consulting perfect steppingstone similar consulting since mainly forensic accountants deep analyses company financials involved sort litigation looking analyzing wide variety financial documents future consulting already worked consulting division consultants projects going forward classes financial get better excel learned excel huge analysis crucial organize potentially shown court front jury time excel huge main professionally impact whatever company vital coworkers rely assign provided opportunity step responsible type diligently tended impact since thankful participation could trusted carry duties get completed appropriate academical professional pursuing fact get working like coming opportunity somewhere im like every since liking affect positively wanted like get im studying im learned elucidated passion development helped strengthen aspiration sheds light future factors consideration colleagues transparency resume future search process heavy healthcare wanted insurance interested inside prospective insurance company operates enter combine passion Marketing creative time passions together practice professional setting better secure future jobs offer opportunity creative working Marketing direction learned communicate time working remotely difficult making got tasks done time communicating effectively workers improved areas worked heavily excel rest time jobs future pursuits currently pursuing finance business analytic specifically regard selection business analytics upon sense given manipulate transform thousands quantitative values spreadsheet database meaningful qualitative piece used inform strategic decembersions allowed week performed calculation performed variance analyses calculation variance analyses involved making sense transaction details trades needed happening granular learned pivot tables summarchze manipulate based granularity wanted learned positive negative total meant depending column belonged example positive column meant party receiving money negative meant posting money needed summarchze happening drive week week identify biggest values driving exercise teach approach deriving meaning given return classroom leverage studies allows explore business completed prior worked analyst second global accounting corporation majoring finance accounting business analytics roles positions Marketing focused involved almost every alder creek segmentation competitors interesting enjoyable Marketing incredibly aspects everyday Marketing right post apart Marketing alder creek Marketing test delve deep segmentation incredibly enlightening goes widely used water assumed going matter shelf location price gets bottled water company demographics customers geographic psychographic segmentation incredible finally professional setting pursued chaos professional adult craziness schedule perfect focused constantly monday week planned knowing exactly going going tuesday week maybe quit truck time leaving store lack maybe store trouble refrigeration maybe affecting schedule constant schedule huge step forward prepared professional particularly since athlete accustomed regimented daily schedule primarch obtain better understanding competencies professional purolite helped determine jobs programs focused Marketing finance chose could strong financial understanding classes chosen Marketing related jobs could better certificate deals writing helped Marketing came writing researching blogs working adobe products used adobe premiere indesign photoshop lightroom illustrator programs designing Marketing materials business creative working Marketing allows worlds interested business entertainment worked exactly enter venture capital luckily aspects helped participate sourcing due diligence process corporate venture capital venture capitalists participate deal flow process transition time offer near future touchdown showed time prepared thought similar finish degree rethink classes thinking taking lat terms taking harder classes interesting schedule filler professionally college like either company similar showed cared customers working professional becoming scientist quite bit goes science grab term anyone whose might center around variety could requirements depending company trying breadth centered around engineering exposed seen pick spent zone could frustrating times looking went laundry list wanted list grown magnitude certain thought competent found became aware helped round hopey desirable far goes journey far like far forward classroom virtually answer question financial sector somewhere id like since enjoyed working investment bank thrive given opportunity anywhere financial sector stay committed ups downs learned patient matter situation might expect walking curve balls thrown us difficult since small time employees got interactions bad towards middle bosses left reasons left step plate boss office guided us worked us confident working effort shown importance looking teammates respecting coaches communication huge wish better understanding times nervous question like completely wrong took away imperative needed helps struggled math courses years eventually asked friends family leveraged resources competent enough pass classes struggled handle excel sheets asked eventually asked constantly worked became dealing quantities helped writing needed utilize everyday write strong pieces behalf ghost writer responsible editing pieces helped develop writing lastly lots reading pick writing taken finance decemberded professional finance original accepted summer financial analyst company called moda due covid unable attend office company unable send documents due risk sending exposing private financial company clients luckily father business similar entering financial analyst already interested finance taking reganata associates moving forward gaining hands financial analyst independently tasks reading company financial statements analyzing business operations conclude company worth investing reganata associates tedious fulfilling given reviewed implemented dan ceo clients improve upon analyzing bigger companies exceptional financial decembersion making smaller tasks related taxes main accomplishments comes march company compiled reiterated used comparison future gone proving left behind company develop network investment bankers private equity individuals lean considering time jobs company based colorado curious moving college expand network enjoyed forward opportunities network goals improve communication working facing goldman sachs enhanced verbal written communication working members clients subject matter experts supporting pwm trusted directly compliance operations external custodians resolve outstanding issues accounts moreover got assigned project tips strategy comprehensive presentation satisfied outcome presentation however presentation colleagues willing constructive feedback improve presentation communication future feedback posture voice projection ways eye contact audience time huge switch leadership adapt professionally communication necessary since meetings introductions colleagues etc zoom relevant professional goals pursuing due fact going legal working cozen ofconnor law connections future particular directly legal helped interpersonal gaining better understanding law operates professional working towards starting logistics company process style suit personality interests working estee lauder got closely management directors allowed get inside view takes boss leader management advanced eye opening view management styles pros cons using combination lines workspace individuals specifically wish logistics company benefits cliental working three experiences particular opportunity managers original manger received promotion director tom erik took wing y explain step supply chain process office erik took extra step forward allowed sit meetings entire estee lauder conducted witness hand goes running successful attributed professional rather professional far communication writing constructive criticism better communicator writer efficiently unique schedule flexibility autonomy given ongoing goals keep disciplined schedule let bleed consistently strive keep standard terms schedule time unique test goals given autonomy aspects scheduling actual point asked coming tested discipline ethic unsupervised entire reflecting beginning immediately noticed autonomy given actual effort stay disciplined schedule second probably taken advantage autonomy failed keeping ethic schedule towards like essential company proud discipline ethic schedule lacking times proud thankful opportunities given professional goals improve programming instances programming methods search extrapolate timely manner goals mindful individual comes organizing managing time alloted completed struggled ways incrementally improving decembernt like professional pharmaceuticals like explore pharma working johnson johnson procurement merck expand networking opportunities interesting commercial global supplier management anticipate positions going senior quality assurance entirely bit repetitive like incorporates facing responsibilities interacting basis allowed opportunity project management prominent addition projects aligned enterprise wide portfolio leading initiatives highlight aligned aim gaining leadership learned management managing common creative project case gained cigna operational standards follow project structure using resources project since fall specialize profession eyes exactly might corporate accounting like like company could working given opportunity wanted prove could accepted competitive companies u done provided huge company could getting return offer changed anything education continues direct passionate working offered directly studying identify areas liking connections available secure time future working teams classes case competitions greatest powerpoints presentation material ancillary got step closer currently developed impact investing intentional focusing time impact finding ways add community jordan park opportunity essential technological specifically addepar ms excel salesforce smarchsheet got project jordan park trading system implementation external consultants gives vender facing worked directly senior engineer track progress project automating update request notification special projects teams across automated annual property payments smarchsheet saving translates annual savings problem solving ownership presentation agile development term development solution business problem received opportunity directly coo biweekly coffee chats received mentorship interact navigate disagreements communicate effectively received move projects keeping mind parts need together came knowing wanted accounting finance wanted majors knew wanted explore offer decemberded track accounting connections lebow based training went preparedness ended three levels hoping got opportunity explore finance insurance asset management lucky worked enough fields accounting classes land add four accounting honest like students land professional experiences prior received time offer pwc learned previously thrown ring circus four accounting learned hustle listen colleagues fast paced beginning journey could imagine today takes dedication auditor sometimes sleepless nights helped reach proud avoid accomplished professionalism learned auditing goals pursuing thrive developing soft ready enter workforce directly sanofi opportunities endless company takes time train properly allowing questions asked answered workers quick tips tricks programs used higher rate volume master tasks advanced given increase skillset growth entire period company beat expectations allowed develop ever thought allowed explore financial services sector analytics professional setting departments operational risk impacts took outside zone putting develop could fit could aspects degree allowed provided growth professional wiser going third desired project management achieved learned project however complex nature extensive planning quickly launching business project ahead daily operational aspects business enjoyable project based improve aspects company fit aligned tasks smaller delivery window current nice going deal problems slipped cracks opportunity fix systemic issues areas improvement streamlining processes options health union acknowledge aspects could improved opportunity responsibility fixing essential company better started coming time helped fulfill working close time six months likely time company working tremendous could easily across country business professional opportunities wide daunting range seem intimidating least let explore facet business given thought arts administration together scholastic goals together case begin honesty allowed explore get professionals networking beneficial getting seeing operate short lost professional goals track opportunity yet greatly appreciated presented company brought companies begin difficulty trying develop network develop foundation company future professional determine could financial keep pace today however particularly difficult time obstacles tasks networking cold emailing lack financial projects financial difficulties connect professionals wish could financial projects however company seemed focused advertising towards investors developing Marketing towards public develop networking professionals network future could possibly abilities intern however project due financial struggles helped develop managing budget finding places profit determining expenses needed priority managing time positions became sources income recent kolman law showed law like law constantly changing case fresh problem monotonous like jobs importantly brings sense fulfillment purpose opportunity everyday hopey lives better jobs biggest concern working legal reading reviewing documents get bored projects reading around pages mind enjoyed comforting knowing biggest concern future worth worrying three got companies three company sizes estee lauder plus employees second marchette funding plus employees third final kolman law employees included liked marchette funding sized companies style marchette funding teams branches diversity nice working towards common feeling like family academically helped time management successy keep completing classes since anyone breathing shoulder watching turn period generally trouble reached sooner get away personally communication improved learning cold reach companies email sell professionally teach hoping get interact accounting processes hoping hopes get sector accounting like managerial type enjoyable persuade fashion better working larger finance company however helped enjoyment completing simple tasks simple going excel sheets categorizing expense satisfying done done wishy washiness fair degree accounting decembersion join milk crate taken offer solely accounting based rather mixed academically time management personally communication professionally future sisu darkhorse newly formed non profit helps students combat sports specialized training hosting competitions beginning charge Marketing helped company develop basis sisu Marketing researched sisu wants target target elements used Marketing campaigns social content photos videos production house transitioned content creation helped social content photos videos creative Marketing company involved social content capturing editing photos videos creating Marketing strategies sisu strengthen example better develop programs adobe photoshop premiere pro photoshop designed posters content company fundraisers premiere pro editing color grading project edited built becoming content creator elements Marketing better view Marketing works basic scalable helped business creative aspects need successful content creator Marketing specialist professionally correlates enter investment banking provided unparalelled deals due diligence process banking rare system source externally nevertheless intergal success securing time offer eminent investment bank basis granted opportunity train time management stress management abilities got pressure third worked kpmg audit intern university double accounting finance kpmg known top four accounting firms working leading correct helps goals requirements ever time hire need pursuing cpa license currently pursuing university accounting working helped accountant learned hours word requires profession kpmg helped truth chosen excited time kpmg prepared public accountant going looking guidance direct towards knew wanted accounting wanted audit public private exposed engagements kpmg better understanding obtain cpa audit associate public accounting going third final several goals mind accomplish months firstly wanted enhance networking social second experiences strong relationship young wanted companies business general livent expected going past several ceo livent paul graves mr graves questions got lifetime opportunity leaving meeting gained advice got takes top company addition business y wanted accounting finance Marketing supply chain connect daily basis three yet y need took accounting accounting got better understanding newfound respect accounting teams companies across accounting seems keep businesses afloat proper guidance future spending based past spending accounting advantage going forward professional goals step zone building communication quite shy usually talk anyone since communications required networking talking members reaching reporters daily basis kind like talking someone consistent basis took time get used pushed barriers members without overthinking trying get automation second automation system integration based focused ton software perfect complement got hardware automation got design load systems enjoyed like helping coworkers helping helped develop engineers rather alone remotely focusing singular projects learned got juggle projects kept toes balancing time future positions working greatly improved manufacturing automation systems engineering discipline works together products massive scale forward ends professional network company cycles interns every months network fairly quickly technical professional learning programs analyst future visualization tools power bi tableau could analyzing creating tools could analyze efficiently corporate business technology intern jnj allowed develop dashboard tableau easy access users enjoyed project got starting designing interactive dashboard satisfying learned power bi sample created dashboard helped tableau better worked closely questions comfortably got stuck creative dashboard project confident launch helped greatly future positions interested analyst technical analyst business analyst allowed individual communicate effectively coworkers showed capable accomplishing tasks business analyst like useful exploring social media advertising things bit softwares canva vyond buffer social accounts social posts useful Marketing showed basics professional looking posts explore imovie videos properly better advertising techniques professionally direction combine interests Marketing worked focused Marketing scope meant constantly analysis predict future trends direction agricultural scope join projects near cycle ready launch project beginning strategy needed decemberded enjoyed typical Marketing campaigns fuel decembersions applicable remainder coursework confident abilities strong reports cohesive format outside classroom looking fmc post grad told structure company looking departments interested pursuing originally relevant agricultural prior allowed familiar platforms software working habits carry step professional journey furthermore provided opportunism form connect professionals shared experiences advice development future entering develop familiarities secure successful allowing familiar necessary functions successful going forward allowed inter communicational office challenged maintain communication company facets allowing test communicate vast variety occasionally forced zone found allowed progress growth professional going forward foundation professional wish developing grateful opportunities appointed university clear questions direction wanted future opportunities example figure industries positions line professional goals kind dynamic surrounded image future impact positions eyes endless opportunities available professional goals helped align prioritize expand professional goals coming ecosystem key homes llc motivated better strive unexpected walking simple marchetable asset desired choice walking post accomplished key homes provided resources guidances marchetable asset desired retained exponential estate helped develop stature communicate time actually like learning going applicable future working months found fields interested going learned sales helped communicate better fellow employees helping ethic enough overwhelmed loved main global management get cpa working friendly working loved working memories like said working soon utilize tool gaining filling resume note worthy accomplishments experienced Marketing jobs used photoshop indesign employers looks Marketing communication wanted apart final social media channels write Marketing seeing processes together worked closely president develop branding documents line direction company social media management Marketing based culture company active helping elements together cycle address proactive realized time goes need top need get done instead waiting around expected reminded need top times superiors needing things left time wisely going zoom meetings helped need accountable every going someone asking helped like working instead setting prepared accountable without slacking got taste culture outside us like europe case wanted outside us certainly differences americans vs europeans helped goals quite thankful opportunity biggest professional get foot door like blow years pharmaceuticals companies rise covid average age population growing pharmaceutical professional aligned professionally establish self corporation broad years cfo changing drug happened approach control enough capital open textile facility city philadelphia citizens safe positive working contribute community positive accomplish professional allowed expand network approach larger successful corporation allowed professional goals continues business technology nothing without working behind scenes thus quality clarity communicate strived improve uphold soft skillset generally enough adapt subject matter content spot however begin branching reaching conveying confident message coming across precisely taking technical writing blatant simplified anybody attempts read technical guide edited written published every particular feature must documented ensure vigilant detail oriented accepted acceptance letter allan myers started successful company months burnt busy words describe bit waste accepted acceptance letter allan myers started successful company months burnt busy words describe bit waste accepted acceptance letter allan myers started successful company months burnt busy words describe bit waste allowed outside zone resulted confident result struggled communicate effectively around verbally listener struggled voice conversation obviously came surface couple months struggled zone realized enjoyed wanted ultimately fear aside began reaching office asking meetings found conversations forced tons practice using voice engage deep extensive conversations due conversations move past un comfortability speaking comparison conversation starting like talking completely longer second guess grown shell professionally casually without getting knot stomach thankful upon skillset move college going figure post worked customer service sales plumbing e commerce meat energy sector vast array home enjoyed daily basis like impact brought showing telecommunications sector sales realized actually interested fundamentals company invaluable things keep mind due pandemic closing doors instead focusing things found better done positions remotely seeing company handles granted sector harder attain goals academically professionally introduced businesses operate situations handle difficult situations president company explain lesson assigned perform better time finishing accounting degree successful completion degree working public accounting working hands working public accounting busy season engagements integral working related couple goals professional else improve professional characteristics space communicate internally externally working corporation helped internally company alliance Marketing partners externally clients corporations alliance Marketing partners largest dunkin since dunkin leading fast food chains country learned clear concise working charity events host promoting spring summer fall lineups simple every tasks professionally improved communication working alliance Marketing partners sports teams marchets across country working professional minor league teams business operates gained better understanding sports sales Marketing companies corporations promote faith styles business used uniquely across country reflect pay building resume mind pay interning learned working general intern mentor boss second wanted procurement procurement directly procurement process analyzing process allowed insights analyst wanted improve technical excel softwares could education helped improve excel allowed softwares like powerquery powerbi helped connections graduating college lined helps reduce stress opportunities building growth accounting transfer company takes shot eventually like branch businesses companies alongside degrees amazing kept toes diligence organizational multi tasking given projects week friday stress helped tremendously helped stage keeping toes prepared puts better get business analytic roles future completed pcs capital opportunity ways far enjoyable thus far rather stressful wanted balance stressed little worried liked could workload without stressing actually get degree actually precisely looking looking certainly completed available times tough sticking till seek rest rewarding balanced rest family business owners went business surrounded found knew perfect since business owner future helped like business missed beginning aspects business learned like preserving current relationships businesses developing growing business better since skipped uncertain incorrect steps starting business makes confident growing abilities handling like boss future Marketing systems healthcare interested since started months diverse skillset similarly past worked front Marketing better Marketing processes y wherever related professional given opportunity train intern worked children hospital philadelphia terms involved cycle professional getting greater responsibility given opportunity train intern stepping stone towards boss providing opportunity shows trusts judgement ethic company pass someone else past pretty busy boss paternity left early baby came early tough premium returns needed sent states filing deadline internal problems going partners state local services let us chicken came home roost deadline filing making payments fast approaching assigned done going time reviewing returns nervous review process communication perform thoroughly enjoyed reviewing returns comparing returns prior looking calculations involved coming annual return caugustt mistakes certain state returns partner prepped us communicate penn mutual partner resolve issues returns catch peculiar fee historically paid states require insurance companies pay fee every agent representative state returns saw difference found comparison prior returns reviewed asked explanation partner found state require insurance company pay agent fees saved payment satisfied boss review returns future hopey takeaways got recent mcmahon associates practice got conversing array backgrounds positions firms touring working variety sites sent met engineering firms construction contractors subcontractors met walks became imperative working relationships types quickly effectively goals outgoing speaking getting strangers professional often somewhat stifled unfamiliar social situations seeking improve time mcmahon associates frequently entering sites interacting sets frequently helped around met outside professional relationships transitioning genuine whereas positions inclined keep things strictly related personable open leads fluid genuine turn facilitate better working relationships learned got fend voice heard get acquisitions expanded scope little bit learned saw things time trying get somewhere im valued ambition professional pursuing making connections leaders banking finance connect heads presidents bank working keep touch graduating distant future leaders offer advice guidance helping goals president bank boss executive bank almost every week answered questions relating given answered questions finance banking general told things successful tried point connect keep head anymore learning waste could future stay contact professional somewhat difficult covid since enough impression stay contact wanted graduated least estate land fantastic wanted solidify references opportunity dougherty marchus millichap opportunities ever given grateful worked learned enormous estate grew goals introduction finance takes successful could potentially fail financial entry need moving forward habits translate changing third time second confidently decembersion Marketing enjoyed classes receiving offer Marketing government marchets retention independence blue cross solidified decembersion independence blue cross granted satisfaction ever favorite rewarding creative professionally given reassurance business independence blue cross explore creative curating brochures pamphlets newsletters sent members edited approved mailing proud longed incorporate creation courses independence blue cross allowed hands creating Marketing materials tools gained six months future endeavors business Marketing helped finance degree accounting degree finance interested prior accounting finance operations helped narrow exactly therefore finance operations reflected professional goals helped add ones chose helped future finance impacted positive turns goals future helped every grown began shy self doubting due negative left scared continued employers flourish move onto second third helped better learned get learned move ranks wish learned making money met incredibly passionate shown happiness ambition cam system get time time enough money financially stable showed capable forever grateful legal lines perfectly wanting law additionally exposed analytics manipulation introduced yet result moving forward like develop specifically finance plans law inclined mba instead jd mba due newly discovered consultancy related management classes attune technology professional get senior management preferably cfo fortunate enough direct access leader senior management top leader biggest financial income accounts working directly qualities leader essentially takes senior management stood incomparable ethic reinforced notion cutting corners excellence quality understanding aware date events regarding insurance informed decembersions final takeaway quick decembersions time constraints qualities develop hopey towards senior management hopey proud company wonderful growth finance professional previously held positions business development Marketing coincide finance opportunity corporate finance interworking money spent used business liked business management finance opportunity solidified allows analytical finance used wanted small company knew direct impact outcomes yet happier larger company like sanofi voice heard maybe things correlated larger companies departments roles spend time making right excel means receptive allocate better resources operational processes efficient efficiency vey company decemberded like professional larger company maybe learned smaller company far goals concerned realizing type company obviously goals interests time journey finance professional relative figure like rest areas business exposed step achieving learning aspects business future future double majoring business totally like either finance economics economics fascinating finance sought hunting dropping international business looking road plans match international business stay close home term travel travel free time future double majoring move situation double get college economics unexpected expect trying discussion skillful skillful opinion profession enjoys matter terrible economics profession need practice showed small company easy bosses control every office seemed bosses highway boss constantly yell employees short temper get short tone showed working times deal care future depth company like reviews online employees reviews could known like started public speaking talking got zone door door promoted brought leadership meant conduct room style training conduct interviews nervous talk hires practiced often got better better door door confident basically second friend public speaking woking realized confident public speaking opportunities age public speaking got international nigeria getting classes freshman realized goals every setting get employed employers private banking took brown brothers harriman reflection interested working private wealth management common country coming brown brothers carries investment strategies clients culture bank improve financial professional compared helped improve communication network individuals bank areas finance interested online due covid online minimal contact colleagues supervisors achieved goals needed professional graduating recommend brown brothers employer aspiring engage wanted company get understanding financial standing based reporting comes successful company numbers books management company heavily reliant numbers solid understanding properly outcome invaluable used pretty either professional originally architecture thought future years ago things struggling gpa ok mentally decembersion chose accounting since adapt working mentality learning could financial stable switched things started got happier began pursuing interests like finding watching films admiring art listening music obscure described yin yang balancing studies hobbies expect time came accounting jobs guidance ended working helped introduce working three bettering growing addition building network setting forward setting success future utilizing resources better getting ready contributed communication focal point distinguishing going accounting events network discussions recruiting sessions etc connect right guide working gt heard greats things since sophomore wanted gladly came true opportunity befitted greatly months received working entities engagements finding areas like nfp salt art organizations non profits meeting extraordinary helped guide sought contributing reason staying hoping leads things get credits hours cpa eligibility pursuing masters steps secure possibly happen giving remaining positive wanting gaining college meant learned thought wanted second pointed right direction like stretch form assist coming unsure wanted knew finance interested time knew working directly finance accounting wanted working macquarie opportunity get taste finance helping culture rhetoric expectations helped explore finance curiosity helping studies mis project management biggest came improve presentation creating public speaking abilities things nervous talking front matter prepared anxiety genuinely scared knew needed break graduated came third hoping couple weeks managers asked get let apart education finance practice public speaking presentation receptive little reason confident speaking front audiences allowed host monthly touchpoints business partners monthly basis stats collected answered given opportunity implement completely process training decembers finally business partners included managers directors leaders across jrd function icing top wonderful seriously thank allowing audiences without anxiety used working getting zone often retreat safe space allowed situations uncomfortable pushed became calling users get time example got zone typically like ideas resolve issue attack situation however option available sometimes get fly got zone asking questions workers might familiar often fear asking dumb question asking question questions confident asking worked confident abilities ways forced zone improve top professional gained achieved professional goals learning things areas familiar built upon pc learned network security things building upon learned related passion diversity equity inclusion dei time became involved national nonprofit organizations empower hispanic latinx community pictured performing arts found aspects interesting Marketing agency dedicated helping latinx businesses communities helped challenges building dei initiatives scratch difficult conversations managers employees entire framework guidelines drafted personally adjusted kimmel center times align setbacks covid opportunity draft dei toolkit international ticketing association annual conference held virtually toolkit provided basic guide performing arts centers institute dei initiatives unfortunately entire virtual due covid affected physically could done events programs activities local community philadelphia kimmel center staple city provides immense impact arts confident kimmel center resume begin physical journey dei confident starting Marketing agency gained honestly whatsoever awful third expressed wanted get headstart estate things showed type sadly could get vibe like online aside working anything accounting seems miserable accounting boring learned need least satisfied enough difficult menial boring tasks entire time certainly gone ringer estate awful second cancelled due covid third awful second amazing finally got property management estate found system diverse could finally nail type estate finally interested enjoyed closest professional variety fields supply chain management worked mainly management logistics planning teams certainly gaining variety familiar better jobs like search working chubb improved covid became harder stay motivated helped independent adaptable started boss office normally communicated skype webex teams easy adapting y already used webex boss normally busy communications projects talk responsibilities main talk web reporting web questions designing webpage compare started double checking became reliable helped professional adaptable situations helped strengthen weakness helped like college enjoyed working cybersecurity working designing webpages options like college helps classes like professional wanted starting companies could aspects culture three companies worked small cyber security consulting company working development eight software developers working knew culture wanted time bounce ideas exida fault nature time writing code write second chubb insurance needed clarity wanted business immediately working entirely covid pandemic could coworkers exida working financial planning analytics opportunity stay technology working business company finally third similar second worked private investment company hamilton lane culture company worked asked questions rather technical questions teach technical teach stuck allowed offered time post decembersion offer allowed personally academically professionally importantly needed strengths corporate past couple years trying resume variety business positions future working desk sports continued keep time kept business opportunity involves sports inclined wanted communication business shy needed communicating courses lessons learned room business selling products enrolling financial accounts selling tickets sporting learning correct language lure potential clients vital communicate phone focussed technology business operations basis knowing programs salesforce tsm significant edge competition pcs retirement company allowed weeks y salesforce system teach platform ways need familiarize future endeavors pcs retirement allowed refine professional areas zone totally wanted get corporate style wanted working finance covered fields learned like like learning finance necessarily working finance interesting reaffirmed belief like working smaller companies hamilton lane like number masses hundreds company impact ever significant impact could around company partly smaller company lessons took received offer pwc since completely aligns direction going accounting helps gaugust lacking needed improve fit efficiently provided expectations need time allows need rest allows scope professional goals adapt figure details process question times frankly waste time analyse granularly like enough enjoyed learned accounting word minimum brevity wants reports verbose nothing annoys schools need away minimum length requirements like hemingway baby shoes worn six words countless interpretations figure wanted future professional goals college offered time cool goals wanted impact like impact appreciated encouraging ways get feedback let challenges challenge got expand professional communication daily basis got interact levels need communicate members classes communicate professor professional since wanted helped solidify wanted since exposed aspects hr professional helped figure future wanted obtain time offer graduated enjoyed working pennoni opportunity time pursuing confident growing struggled speech impediment hindered communication led shy apprehensive worked speech therapist overcome impediment effects arriving determined enhance communicate tough accomplish considerable headway classes extracurricular activities time blackrock forced zone perform effectively need communicate effectively proactive instead waiting opportunities must actively seek could communication example reached direct supervisor contribute mosaic main investment platform global allocation uses projects wanted involved web development web development knew wanted articulate result worked projects ultimately enhanced platform adding esg metrics main screen uses web development communicated provided learning opportunity fact ever mosaic successful anything need confident thanky let aspects experienced time helped time fields technology management paved must get track working company learned technology management must project assist better making else pace using scrum agile method project management keep together developing programming helps problem solving type thinking capability solve issue across working project anything learned difference becoming developer project handle situation time peers keep workload instead yelling attacking better entire boost productivity turn peer get right track wanted energy trying financial planning analysis got exposed things fp got projects belt like pursuing energy specifically fp working kpmg closer step achieving becoming certified public accountant cpa cpa advise assist individuals businesses financially reach financial goals working small company accountant directly executive director daily accountants importantly communicating accountants speaking company chief financial officer future future accounting like future kpmg januaryary starting time time studying cpa exam company infrastructure accounting involve interact departments like accounting learned move forward future impact professional goals focused building brand clients creating partnership creating posts social media pages huge professional sense brand continuing sports better sense highlight accomplishments via email phone improve activity social media talented clients helped towards brand goals ideas working towards ideas search top candidate learned already mediums highlight achievements bit writing resume cover letter answer questions finding clients decemberde route areas lists tasks completed focused brand engagement lives enjoyed working Marketing services need somewhere exact dreams learned pay attention details necessary patient things progress company treats employees factor applying jobs used excel frequently cycle like efficiently short cuts finer details formatting time consuming process directly goals went hoping reassure graduated shot securing right college helped accomplish thought becoming recruiter seeing successful interested success cycles already offered upon exciting tough times professional helped offered opportunity upon graduating searched third final wanted company challenge business joining merck supply chain planning execution accomplish professional enhancing presentation eventually land successful sales Marketing future need excellent communication presentation merck opportunity least times week updating analyzing u weekly actual sales versus forecast reports human health products vaccines sales analyses tier meetings sustain supply performance presenting audience size helped zone speaking front offered opportunity personally professionally enhance communication accomplished presenting weekly analyses meetings created discussion arise certain issues collaborate solve issues quickly efficiently coming wanted confirm legal wanted stay states law classes internships learned things professional connections benefit future learned culture legal london confirmed option stay states law grateful departments talk attorneys working specialties trying figure fit working clients attending hearings preparing letters helped get grasp like working procurement invoice pay analyst professional procurement invoice pay analyst oriented got trained utilizing sap tables transactions got used power bi combined tables together automate reports got basic dax formulas pivot tables dashboards interactive got queries reports sped time update reports allowed deeper insights found regard goals showed smaller company fmc global company procurement invoice pay analyst deals invoice every continent minus antarctica reason business problems demands sometimes workload consistent somedays found working later balance exactly done working defense hopey project system engineer reliability connections upon entering three experiences reasoning behind broaden business potential interests like successy accomplished wanted got satisfied went wanted consulting wanted graduating incredibly optimistic excited helped consulting required demanding profession fast paced challenged shell probably sciences short term currently senior majors regardless majors communication key aspects verbal oral presentation based helped define improve especiailly building relationships met face face continuing risks going things opportunities interested conginisant audience times reading writing speaking presenting applicable towards current classes presentation based Marketing presenting studies surveys excel documents international business law presenting cases advanced spanish presenting language essays oral presentations require understanding keeping mind audience showcase content related professional management project project management construction project particular pertains perfectly business engineering engineering concentration civil engineering adversity project dealing hardships companies control deal main contractor labor intensive miscellaneous activities site perseverance fighting summer heat tiredness future goals management future laborers company tasks senate builders site particular technical processes must completed scopes experienced past visual learner concrete pours excavation trenching backfilling removal utilities future entered morgan lewis eventually working time despite carrying business background wanted legal main aspiration depart undergraduate attend law soon transition becoming attorney time decembersion y areas concentrations wanted dedicate shoes thought process behind morgan lewis essentially comprehension legal processes corporate placing around attorneys legal staff seasoned roles wanted diversification luckily case morgan lewis access interpreting documentation legal analysis fostered lasting relationships affirming served assist professional connecting indulge comprehensive learning setting assist professional development approach law entirety wonderful reinforces material classroom main takeaway walk away surely considering learning classroom test pursuing narrowing wanted graduating wanted decemberde direction financial reporting anything like investing related financial reporting helped strengthen investing helped move actual required fine exactly helped solidify decembersion sort investing came mind knew wanted came hopes variety fields industries potential paths could figure direction wanted wanted primarchly classwork gained little money management exposed concepts learned classes like economics accounting finance wanted prior applying someone knew mortgage little bit operates like interested wanted get hands family funding exposed topics listed point learned mortgage ties economy realized passionate found interesting led wanted soak could connections move forward confirmed departments helped get broad understanding goes loan addition connections develop personally project management pm goals financially knowlegeable financial statements sensible since taxes importance clear communication design professional future helps inspires philadelphia water debatably things happening every city educational informational graphics green stormwater infrastructure maps community outreach citizens philadelphia assistance programs need outreach underserved areas knowing responsibilities homeowners renters seeing impact city incredible strive impact like wherever takes lose sight passion design importance reaching art professional goals pursued time varying experiences particular experiences third liked envision similar things future wanted like small company company wanted like Marketing industries aimed combine passion Marketing analytical helped things scratch working corporation list addition opportunity skin care past experiences included technology finance banking higher education food beverage cpg agency sub like promote products hands average consumer moreover leverage analytical reporting projects aspects Marketing figure like like far favorite pursuing brand management cpg companies hit march surpassed march sound strange balance health health deteriorated due demands shift lifestyle due pandemic experienced health consequences result decemberded successful taking care simple someone considers pleaser said anything pushed boundaries result paid consequences relation health second practiced art saying reason without disrupting contract employer ambitious could potentially learned consequences mental physical health simply worth sacrifice perform taking care luckily second employer understanding seem like unusual response question someone suffered mental physical health issues taking care else live hurried culture often chances stop breath unless willing pay prove taking care worth due pleasant covid lockdowns working home helped get better routine schedule helps avoid potential pitfalls working home integrating house tasks workflow taking breaks necessary far productive sit introduced like obtaining cpa vast knowledges fields financial statements reflects goals success challenges left coworker difficult us projects efficient us went trial error learned mainly accountable business every helped network ton professional mock interviews helped interviews going forward looking investment banking roles since graduating coming semester time running short focused begin applying searching jobs upcoming months ahead alumni assist reach making progress resume helped somewhat giving connections employers allowing us get offer goals upcoming established halfway allowed leadership responsibility related assigned relevant working project management working directly customers coworkers development leadership regarding helped develop communication leadership knowing communicate time management looking get excel requires excel enjoyed helped bolster understanding inbound Marketing specifically digital platform digital Marketing undergone tremendous strides decemberde software allowed augustented reach integral teaching operate software allows us generate sales leads techniques ideologies reaching diverse audience wanted understanding consumer behavior read topics textbook capture business setting feeling example involvement social media efforts attract social engagement excited follower basis initially share internal articles centered around candidate responsibility found effective share articles speciality practice enterprise centered topics drove types content chose showcase linkedin platform hashtag buzzwords associated innovembertive technologies like machine based learning ai posts generated interaction average variance engagement depending time content type social platform analytical variables drove strategic social efforts alot complexity Marketing efforts progression Marketing professional continues retain lessons researching target deployment Marketing campaigns third introduced finance investment types helped types alternative investments working operations saw backend running funds making flowing smoothly trading details correct essential helped paying attention detail teams outside united states alone teams germany la etc opens communication interpersonal required succeed majoring Marketing biology hopes going medical device Marketing pharmaceutical marching working draeger allowed dream working medical device Marketing draeger get hands dream aspects Marketing worked social media projects management projects digital Marketing projects mailing projects launches opening warehouse directly sales furthered could capacity wanted sort opportunity anything intensive like introduction involved getting hubspot putting weekly monthly report weekly report blog website traffic montly report depth version weekly report types opportunities ultimately working making driven decembersions time right utilize enable develop going three opportunities industries roles allowed explore paths importantly type pursuing working consulting analyst accenture final realized exactly enjoyed looked utilize interpersonal communication communicate clients leadership project management positions drive driven projects activities enjoyed past six months opportunity facing opportunity fill project management personnel available bench opportunity initiative highlights entrusted allowed zone responsibility communicate advise leaders areas project initiative calls meetings moreover creativity approaching problems issues rewarding resolve issues advise leadership resolve issues lastly like highlight routine tasks every allowed activities based needs jump project liked kept feet allowed found experiences realized facing consulting type pursuing post accomplish professional goals identifying right working goldman soon began finance changing freshman hoped approach senior puts fantastic explore steps outside helped identify areas financial services goldman sachs dynamic lots overlap exposed things experienced anywhere else moving san francisco incredibly eye opening opportunity travel outside philadelphia highly recommend hmm else came intimidated worked primarchly expertise however stepping zone growth time went trust abilities grew allowing exposed variety interesting engaging daily basis realizing rambling answering question asked ok critically encouraged creative problem solving developing certainly satisfied improved upon almost every third cooperative education opportunity spend six months fmc corporation professional successful auditor internal controls fmc provided hands opportunities financial auditing previously internal audit chubb performing related testing liked therefore took opportunity fmc looking forward expanding auditing things done scoping attending walkthrough meetings modifying control books importantly executing controls activities examine auditing closer moreover time fmc trainings regard auditing expanding professional audit things learned usage analytics auditing process auditing beginning fact fmc correlates tasks entry auditor means fmc fact time auditor future fact fulfilled purpose cooperative education preparing us future professional setting importance enjoying strong engaging supportive supportive biggest difference uninteresting working looked paper completely grown communicate making non neogitical finding happiness improve analytics finance estate management development like analytics looking improve excel salesforce software seeing salesforce analytical leaning communicated goals concerns helped get projects goals got participate contribute launch salesforce platform planning development testing production maintenance got projects excel learnt formulas shortcuts macros excel master constantly improving changing left general given laid foundation analytics journey professional pursuing professional corporate easily adapt opportunities post third final like confident carrying initial cycle mentors company opportunities across areas business includes vendor management Marketing sales operations develop soft technical exercise needed successy example management interact teams sales training quality assurance allowed practice communication public speaking functions Marketing sales operations allowed analytical technical includes excel sap salesforce assist analyzing invoices involved sum money showed handle tasks responsibility helped analyzing moving forward professional analyzing giving recommendation based minoring Marketing Marketing requires analyzing making recommendations based analysis professional marching company sports lessons main extensive topic better audience message delivering inter college office processes students clearer smoother includes tons regarding improve add better attend university going adapted areas understanding understanding Marketing starts process provided perfect Marketing knowing certain demographics target marchets exited got gained process inter college advising office helped ways showed processes better given like professional started terms looking working force feeling things leaving related educational professional getting lined wanted like interested kpmg direct public accounting positives negatives trough working clients members took succeed stuck extreme critical thinking required succeed almost every turn conducting audit problem solving critical thinking necessary process learned required succeed worked developing preforming appeared proven ad offered time process finding college interested amazing needed right personally short time friends lifetime making coming every enjoyable growth future happen every exciting getting places amazing opening eyes cultures academically eyes communication theme park emails constantly sent aspects must respond swiftly professionally professional goals investment banking company looking applying accepted working investment company time helped certified thank worked closely enjoyment freshmen college started logistics company supply chain works pharma giants wanted get merck operate every prospective clients keep touch prospects meeting time persistence annoying however business need credibility willingness act situations comes key decembersions details growth professional general anything financial allowed working financial shown departments financial entail diverse wanted informed pjm works worked management got understanding membership works companies pjm working r e got understanding core pjm operates rely rely us wanted explore could improve efficiency automation got taste leaf little resistant trust enough changes wanted understandable pursuing making connections making connections classrooms somewhat trying connections older careers several could possibly carve future expand finance better money management learned seemed like language recalled learned classes communicate colleagues needed professional meaningful relationships workers nice teams worked nice connected time working talk kkr talk individually frequently like conversations nice relationships created meaningful keep touch looking healthcare products returning second time opportunity upon responsibilities door projects larger scope voice areas like develop leader supply chain earned credibility rotation continuing expand upon supply chain participating medical device projects earning additional certification management provides relevant pursuing serve project supply chain readiness line extension allowed responsibilities roles hold stage gate led early initiative project facilitate meetings key stakeholders suppliers project align scope objectives project combing several launches conducted understanding supply chain process grown tremendously experiences networking employees better understanding like confident prepared going forward looking opportunities expand supply chain process better facilitator teams leading personally self improvement believer continuously getting better improving thrown anything must adapt adaptability key component essentially adapt challenge challenge came learning acronyms comcast connecting departments together played learning curve steep began overcome tasks initially guidance came tasks shape form anyone holding hand process effectively giving guidance needed amazing stepping stone strengthen adaptability finance business analytics like schedule load mis like perfect fit essentially worlds business analytics heavy finance going recommend likes mis type schedule learned fp working global broader view company pharmaceutical experiences learning moving parts heavy r develop drugs cures fundamental future success showed every medicine shelf generic competition time time philadelphia inquirer experiences ever grown personally overcoming obstacles learning home meeting via zoom trying befriend via online learning ins outs softwares used digital Marketing obviously allowed tremendously professional manner Marketing digital analytic thought dip toes ins outs digital analytics thus allowing skillset Marketing academically es ps grown applied academically already started learning professional learning software transitioning company software learned transition softwares softwares pleasure communicating problems arised independent supervisor office learned scratch surface however company transitioning longer available wanted finance wanted sf office pwm networked worked communicated effectively learned deeper understanding fa reassured financial analyst investment management helped future bank reconciliations realized liked analyzing numbers seeing errors kind akin auditing accounting short kind pushed explore auditing starting auditing college since freshman wanted company related commodities therefore either commodity trading company mining company applied gold mining company tajikistan got zarink llc company fascinating learning process included visiting exploration sites working forecasting financials actual gold allowed taking initiative assignments utilizing platforms operations get worried wont navigate softwares dedicated enough time functions bms trading platform used stanpoint trades deal transacted executed professional goals leverage creative future pursuing digital media minor graphic design animation video editing etc allowed learned classes professional setting improve upon employer process rebranding assets almost creative control projects worked created portion assets brand launching learned criticism edit efficiently design prepared typical turnarounds creative projects professionally helped feet example needed edit short video ad incorporate text animations solely premiere pro done animations effects deadline video close time animations septemberrate quickly online tutorials certain effects premiere get professional employer wanted plenty finished projects assets portfolio design stay design social media copywriting Marketing highly likely design professionally wanted smarch cities fortunately project tangent favorite project worked rfi smarch city infrastructure richmond va worked directly esi principals outside collect compiled document opportunity assist reveal esi thought leadership arm center future cities lastly enjoyed drafting editing blog posts showcase passion smarch cities post cities inclusive biggest professional goals improve past coops unsure things correctly second guessed tasks given handle could questions responsible getting done direct control tasks helped importance motivated fast get tasks picked things quickly became confident putting proud responsive pointed errors helped could get right second time carry parts like academics projects often get unconfident confident confident share mistakes errors workload helped less afraid getting things wrong required reconciling comparing consulting auditing later professional pursuing time technical non technical necessary highly marchetable applying jobs specifically like project based incorporates technical soft project based responsible designing automating spend tool used monthly reports going forward design tool entirely vba code working closely upper management using tool presentation design got project finish kind helped project based future interviews reference project example project opportunity technical ablet enhance excel vba code tried presenting easily digestible format heavy provided clear examples used acquired time professional excel extensively future time workforce used excel functions regular basis boosted involved projects turned entirely expected intended incredibly grateful opportunity proved invaluable lesson resilience third final cycle actually began company called marchus millichap commercial estate brokerage paper looked like perfect opportunity witness alternative commercial estate business since second kroll bond rating agency introduced likes commercial estate complexities vastly traditional residential estate involved said time marchus millichap evidently short lived culture intolerable eyes unprofessional endorsed frat like culture brokerage firms informality lack consideration disrespected expendable fortunately expedite transition company since ended terms employer kroll bond rating agency regain remotely given second time around supervisor offered permitted cmbs maintaining substantial duties second time around fantastic proved difficult anticipated due lack discipline workspace imagined space every single draining exhausting times however admit third final entire appreciative opportunities resilient related professional enough told like charge sometimes choice proactive supervisors noticed promoted tend charge target bigger setting goals better projects project management hands future experiences allowed sharpen technical move forward conducting policy aim policy manipulate working consistently numbers increased understanding software coming proactive maintaining constant communication peers colleagues supervisors super professional practice independent tasks naturally however proactive becomes natural pursuing healthcare management track management dsg working pharmaceutical company hospital like hoped get directly creating clinical trial databases clinical trial systems write patient office office visits got directly kinds planning goes creating systems used kinds jobs future drawbacks company incredible professional passion photography aspects creative business could happen since experiences exactly qualities wanted jpg get round working learned significant photo techniques gear helped certain shoots besides going onto shoots worked Marketing helped competitors starting prices categories weddings engagements portraits competitors nearby counties entire pennsylvania state type regards jpg helped saturated photo video business companies like jpg keep competitors keep loyalty shoots understood jpg kept consistent positive reviews regardless type shoot stayed professional fun process making subject time feels confident skin seeing unfold helped appreciate beauty photo video capture jpg helped figure validate photo video get zone sent senior executives emails quarterbacked projects regarding helped immensely culture grateful got online firms normal like prepared gotten opportunity expand communication face face phone zoom professional network individuals finance industries met smarch open minded professionals glenmede scared questions meetings discussions learning private equity wealth management stock probably learned time learning finance terminology structure financial system coworkers glenmede shared layers structures finance piecing together info connecting dots better discussions questions continuously complicated fascinating nature finance working remotely helped affirm college accounting finance similar fields wanted accountants businesses thought interesting worked things worked heard learned anew system called oracle could paths learned professional learned mortgage could future gained larger network inquire certifications earn someday members finance aligns goals learned backend things behind scenes finance background assisted sec fillings super cool makes finance round super cool interesting close actually assisted goes informative close grown professional learned communication top things increased network connections second connections super useful liked money funds economics investing like finance jobs understanding monetary fiscal policies fed policies academically helped macroeconomic usa personally rounded professionally sql daily useful applying project management positions time professional appreciated technical things working basic levels talk network allowed write extensive memos companies get reviewed edited ultimately submitted ceo cio investment committee approval funding perform meaningful tasks significant company responsibilities get reviewed seen employees significant interested working sales older little bit selling wanted seem basic bland reason get time comcast exactly learned types Marketing strategies actual results learned websites software learned communicate senior vice presidents business owners grateful investment financial services specifically asset allocation learned digest quickly changing insights potential opportunities stand aspire financial services process taking raw turning investment tied decembersion prove crucial instrumental laying foundation music post eyes opportunities available initial towards improve communication started remotely quite challenging get used workflow mentor helped guide understanding aid spend time answer questions teams meeting started initiatives reach questions tasks projects communication improved quality wanted office type company corporate setting wanted like ho like turns enjoyed supervisor boss daily basis got ins outs processes joining company future learned useful things future ethics dynamics fostered collaborative supportive atmosphere virtual seamless energy contagious naturally resonated professional goals time encouraging appreciated meeting exceeding goals working together accommodate issues individuals experiencing point time switched operations supply chain management started entailed decemberded like chief operations officer fortune company afforded amazing opportunity company second twenty years old became superintendent million dollar incredible opportunity better understanding entire construction works decemberded company third given tremendous opportunity responsibility better business professional things eighteen months done incredible setting hopey chief operations officer going third develop excellent communication communication noticeable opposed like programming technology consultant regularly interacted teammates clients company executives addition evaluated regularly areas including relationships inclusiveness leadership helped enhance communication listening encouraging share thoughts openly things oftentimes lengthy meetings detailed notes later sent clients challenging spoke quickly mistakes could significant consequences interactions learned balance professional communication easy going attitude times professional situations tense led overly formal communication style relaxing focusing connecting overcome addition entirely virtual point check teammates regularly weekly touchpoints us connect tasks including potential ideas enhance project robotic process automations digital upskilling opportunities virtual communication completely communication times could camera easier moving forward equipped communicate effectively professional setting working virtually hybrid situation multi faceted Marketing professional helped develop creative content strategy rewarding privileged supportive three months found unconsciously applying things learned classes times questioned enough impact business classes came handy cases gained mainly soft classes ones classes taken far Marketing centered considering general requirements classes rather unconventional needed creative outlet assist successful insightful working working directly Marketing challenged get zone bridge gap time Marketing products working working mean suspend creative sometimes complex products services digestible got analytical mainly virtual analysis mastercard paynow competitive analysis projects improved formal communication projects worked apparent communication agencies became representative mastercard thought got second cancelled stuck learned insurance like entire reason industries figure like time college bank finance intern finance helped culture automatically got considered time months trying aspects several years leader model particular taken extra responsibility beginning unique curious anything whenever sometimes case like responsibility pass somebody else hired analyst july working teach business took pride found rewarding pass appreciated respected professionalism satisfied meeting time fmc aspects time management multitasking aim develop applied aspects self assured bold sometimes let fear judgement criticism get true self leads self doubt however third final pushed step zone tasks projects experiences navigating afraid reach questions anxious realized get opportunities willing right open going questions bad habit keeping things tried figure things questions point asking questions late pride nice bother times pride times latter bosses stressed asking questions whenever need running wheels kept pushing us training couple weeks habit trying figure things wasting time waste min trying figure instead messaging higher ups quickly months progress evaluated workers consensus three clients need asking questions meeting evaluation meetings explained reason asking questions frequently assured annoying bothering whenever asking questions serious meetings started asking questions frequently going future professional professional pursuing project management pm taking pm classes started interested allowed get hands pm deeply involved system integrations projects managed project progress using microsoft planner sprint meetings teams pmp exam opportunity allows hours towards requirements exam liked working macquarie working actual Marketing unlike past experiences since aligned Marketing business analytics majors learned classroom time university comes certainty far beneficial achieving remaining goals foundation future endeavors postgraduate dream music goals get certificate brand reputation management time trend responsible managing clients social media handles curating content engaging accounts hashtag geolocation similar artists outreach etc stimulate organic growth hands directly correlates certificate pushing step closer completing main goals left contemplating final contribute vision future eventually move los angeles music trend depth landscape narrowed aspirations either r coordinator digital marcher artist tour trend perfect taste unique opportunities await helping align goals remaining time professional improve analytics working finding meaningful insights presenting effective manner technical non technical audiences opportunity variety tasks consisted somewhat similar majority time required type solution problem hand situation like challenge basic top provided opportunities improve story telling findings analysis final project python script standardize addresses bunch techniques python get hand done bigger challenge non technical audience process provided opportunity improve presentation strategy adopted include pictures presentations concept conveyed visual interpretation challenging difficult convey concept code without showing code however based sharing output code connecting physical entity helps professional becoming better analyst convey thoughts audience effective term goals scientist financial services professional debate need successful scientist vary spectrum often jobs scientists given undergraduate students require master phd students higher degree belt therefore crucial scientist opens doors easier get actual jobs science summer summer paved worked summer intern involved financial analyzing identifying patterns learned useful like trend analyzing pattern recognition visualization storytelling scientists art storytelling easiest acquire anyone technical coding manipulation convey successy non technical audience provided repeated opportunities story telling datasets working external clients besides learned grammer graphics complex subject science knowing represent using single graph using right visualization provided numerous opportunities visualize types things careful visualizing improved coding r useful science exposed aspects estate working closely higher ups company helped terms language used operate company ceo sit conversation inspired things bigger company connect got employers worked bigger company came company could wanted get better company could kind things teaches business classes lets get jobs experiences lern non profit space mission based profit company connections community like alt motive hand transforming community point contact community members applies professional goals succinct organized mentor providing feedback presentation looking summer project modeling photography direction rather messy meaning asked someone proposal tell theme wanted utilize color scheme wanted implement likely could need little nudging appropriate times handhold let working project presentation key knowing audience let need detail handhold approach instead creative topics weakness connect feedback project working allowed glimpse professional project management unfortunately leaving middle project get little taste however learned beforehand case quote comes mind failing preparing fail working complex process requires fair coordination establish working strategy weekly check quote project models photographers read practice educate works craft lincoln investment provided opportunity better understanding working financial like company mission statement motivated fun success statement brought realization meeting types making connections met brush reached lincoln friendly seemed becoming financial advisor thought currently starting point achieving studying securities essentials sie exam supervisor win stauffer inspired get telling steps needed advisor lincoln given tools need successful key given communicating questions without judgement taken huge step ready obstacle grateful chosen received helped helping strive allowed professional relationships land time upon reason coming college grateful benefitted experienced workers staying time pretty college lined successful mid sized company anything investment banking anything investments understanding fund works essential banking organized wealthier understanding fund works beneficial future maybe fund operations analysis funds current assets fund holds office fund operations fund works transactions structure fund vendors fund stuff learned stuff beneficial working investment banking worked analytics technology loved boss amazing achieved goals time aramarch networked worked aramarch met alumn could get future college aramarch networking got activities projects activities creating cost models business projects pipeline clients economics concept models used jobs far costing models scratch based scenarios project learning models predict cost reduction company strategically input cost time chosen experiences activities additional values creations means getting things done better effective manner experiences learned solve challenging situations leverage add times project crucial survival business sometimes need taking outside get done like consultant working deep consulting professional land consulting add business experiences useful getting diverse experiences industries far awesome spring summer goals include developing superior problem solver leader model like business already process thanks mentor employer things improved social interpersonal knew conversation business relationships opportunities note learned importance player encouraging playing certain matter crucial growth company attitude employer successful accomplishing goals second chubb final began finance get grasp operates far granted trust working projects effective closing processes going relationships company lucky enough relationships future working father family immigrated italy brothers sisters friends community finish maintaining jobs learning english allowed family save business restaurant called angelofs ethic determination pays need supported helped us working father restaurant helped effort father staff basis business classes solve problems working angelofs helped figure graduating college dreamt working goldman sachs beyond expectations wanted higher regards interacting professionals networking goldman helped finance similar ignites passion boss leadership pushes drive beginning charge brand toofaced toofaced went sole responsibility empowered nice fix broken system far receiving came busiest gets due thanksgiving black friday christmas yet impact consistently given better opportunities supervisor chris saw decembersion discouraged fan yet started overseeing dock padc alongside supervisor soon realized could kill anywhere building leading getting done quite frank drive stronger ever actually extended estee due forward future leading greatness allowed expand professional network academics professional allowed socialize get workers showed independent came completing tasks assigned week independent knew needed assistance workers managers assist future corporate lawyer greatly helped got like company got responsibility managing certain workpapers directly related auditing companies rewarding phenomenal rewarding exposed corporates finance learned finance calendar activities performed roles responsibilities roles included heor functions public advocacy access competitive intelligence merger acquisitions like upon helped opportunities guided mentors time helped advice assistance time working shield regional finance committee rewarding presentation allowed time reflect accomplished working time senior forward seeing steps completing minors need professional business analytics interested learned finance planning analysis fp minor business analytics seems like endeavor valued basic understanding accounting future going several potential paths interested learning including paths investment estate estate lenders investors perspectives strengthen abilities analyst learning keep asking questions learning effectively communicate answers writing verbally meetings writing weakness continuously writing reports getting feedback reading reports written improved writing drastically remainder time professional improve writing abilities estate adding several estate courses stood travel memphis septemberrate occasions travelled fact without travelling actual site funny eye opening taken flight outside state years ago appreciated valued intern eye opening operations worked outside daily processes screen often hear complaints warehouse understaffed operations moving slow general saw problem gained clarity fix connections memphis cool joining livent procurement y business since procurement broad business y explain however span months working needed succeed working procurement impact company communicate every negotiate adjust pricing material allowed projects similar time analysis working share managers load working projects helped anyone interested project management works perfect requires working departments teams projects trying aspects like get get project management civil engineering worked closely supervisor project managing project avoid project successful civil engineering goals better studying state helped state returns subsidiaries process get hands researching understanding necessary steps filling return states leader confident giving directions pushing self starter naturally assume direction whatever however fine line offering empty encouragement actually advance overbearing tend shy away giving critical advice fear seen harsh time ap brand learned middle ground offering critiques brings teammates example produce video reel clients pitches brands reviewing video perfect said yeah like knew worked obviously constructive hurt presented boss obvious errors sloppiness video learned leading meant stepped slowed process scrutinized every detail video moving chain months implemented strategy offered polite constructive critique brought teammates learned offering direction absolutely necessary practice attention detail need harsh offering suggestions found friendly positive leadership style ensuring puts certainly going forward every project beyond primarch professional goals experiences develop communication growing professional network recent jpmorgan progress advance variety means found particularly impressive connected fellow employees company time jpmorgan progress achieving numerous opportunities interact coworkers departments vice presidents fellow students opportunities offered company proud instances reached members adjacent teams specifically initiated contact several individuals paths time offerings post get incredibly advice direction helped begin shape time communicate develop network found instances reaching contact incredibly impactful opportunities presented connections coworkers opportunities advance progress towards due opportunities presented company professional connecting fellow coworkers getting responsibilities company numerous opportunities converse employees encouraged friendly approachable got talk meals beverage sales finance impacts company campbells onboarding events interns network took advantage went events interacted interns decembersion entrepreneurship entrepreneurial pursuits decembersion peak pandemic getting laid jobs future instability regular jobs decemberded bold company fall get stable catastrophic happens like pandemic company fall stream income wanted college less responsibilities faculty students university believed graduated bootstrap business less university frightened stable business beginning journey worked consultant helped tremendously pivot business scalable efficient helped cpg point asked equity believed could drive better became dependent knowledgeable companies shelves foods decemberded equity send additional helping local superstar get local store shelves decembersion knew could get stores faster less decembersion making business close heart situation built self abilities focused branding distribution front platforms produce partnership packaging supplier supply packaging warehouse deliver stable website consumers shop focused auditing handling billing excellent verify assurances gaining hands cost accounting maintained invoices performed basic manipulation pivot tables city cleaning exposed forensic aspects auditing individual contract required pulling physical file rummaging pay app time material ticket verifying folder totaled reflected general ledger quickbooks tested attention detail requiring verification occurrence accuracy assertions addition method demonstrated desire yield tangible results efforts example trade contractor issued subcontracts city cleaning site accordance budget project originally post construction cleaning floor hospital city cleaning awarded floors septemberrate contracts issued unfortunately simple oversight contract administration proposals led retainage billed project following accounts receivable discovered open balance submitted period regard goals applying gaap principles positive difference cash flow indeed fulfilled tasks duties held billing helped decembersion making improve upon communication decembersion making perhaps component supervisor activities plays planning process supervisors decemberde matters goals organisation resources perform required communicate effectively clients colleagues managers essential whatever sector communication improves teams inspires performance enhances culture communication essential accurately quickly contrast poor communication frequent misunderstanding frustration main executive management Marketing four allowed hone better managing varying tasks concurrently professional pursuing companies personally spent time looking company fit chose carey could company upon receiving degree luckily done companies asked ditto exact pursuing enjoyed mentioned previously directly related eyes degree company worked supportive encouraging ceo deeply cared workers mental physical health personally professionally met company passionate wellness workers quality working analyst allowed personally academically professionally months goldman sachs economy financial literacy workload analyst gather material topics clients potentially interested allowed read materials regarding sub sectors articles regarding projections asset projected reading articles allowed financial terms familiar ever seen get reading papers versed financial terms health economy portion project going economy gather financial analyst working project topics current health economy learning comprehensible lastly goldman allowed professional professional network faces relationship analyst advisors university gives students opportunity fit corporate biggest coming fit academically professionally allowed things like vast array industries working city philadelphia private investment management aside industries lay roles special finally experiences students opportunities time found niche corporate taken strides trying right fit opportunity past interested proud land peak covid wanted transition norm due projects exposed knowing got things expand cultures trying electricity like get electricity cleanest cheapest electric business old difficult pass proper saving customer like business self radical since past years electric system changed result sector industries thought sort trial test period test paths jobs college less risk available opposed guess helped bit nonprofit related however little allowed like realized completing third final could averse kind must helped communication communication sought improve regular daily meetings meant figure communicate done confusions questions everyday helped get better found address worked texts whenever confused previously achievement accomplishment improve communication blueprint company steps entrepreneurial process digital tools needed de risk process explored e commerce business like small newer company needed strategic view insights supply chain investments fundraising Marketing running online store finally launch online Marketing comcast professional wanted network company communication goals comcast meaningful connections leverage learned carry networking conversations effectively comfortably conversations helped figure Marketing concluded like branding agency post college working communication goals allowed interested branding advertising knew need communication graduated additionally public relations minor plus goals pursuing coops healthcare startup company wanted point view could better narrow specifically purse Marketing achieved figured like brand analyst brand strategist positions agencies house luckily get brand form comcast due flexibility manger let teams internal Marketing operations business analytics wanted given problem develop solution certainly given opportunity times time company talked issue happening sent parameters mind let loose issue type open ended problem solving develop style came things like example told supervisor interested getting monthly report updating terms reaching sales goals given type info wanted template similar reports formatted wanted ended automating process interesting things like rounds review revision y implemented process wanted proficient working improve little things efficient things wanted degree getting collaborate ba construct reports dashboard power bi collaborate ba showcase power bi demo assist power bi teacher teaching power bi classes offline online classes review collaborate documents power bi training content assist update power bi documents training content blogs power bi vietnam collaborate contributors record videos teach share power bi facebook assist collaborate streaming videos power bi facebook opportunity teach time time classes online offline opportunity participate projects corporates opportunity deeply technical soft entrepreneurial flat structure collaborate supported technology enrich portfolio resume professional profile directly chief executive officer service excellent written verbal communication presentation analytical critical thinking problem solving abilities strong adaptability capacity fast paced environments depth understanding organizational flow management decembersion making professional business analyst tech company saptha innovembertions tech startup gained company functions majoring engineering business helps sides tech company improve communication professional reduce time spend remedial tasks seek automate improve aspects streamline access need thoughtful decembersions ahead future avoid conflicts potential problem areas encounter helps alleviate small stresses time add profound impact developed smarch home alleviate common everyday tasks roommates encounter project allowed professional applying programming technology project offers satisfaction tangible benefit jpmorgan programming techniques database structures employed managing statistics health smarch home project deployed user interface accessible via web hosted server control devices helps track devices entities moving around works automate certain sequences events employing similar methods triggers ones used accomplish related automations techniques things learned automation based carry forward everyday automations developed integrated lifestyle learned things seem eventually reason access incredible resources things difficult finding time sitting getting done better time goals better understanding management private wealth management helped acclimate processes behind doors ensure satisfaction success business opportunity portfolio reviews powerpoint decembers collect necessary review materials needed conduct reviews perform portfolio analysis private wealth advisor fortunate prospecting onboarding processes worked operations maintaining onboarding ensuring smooth transition prospect key establishing relationship accountability reputation additionally came becoming financial marchets learning could pick brains leading professionals witnessed perspectives insights financial better sense key implications evaluating state economy goals necessary like communication working self assessment disappointment despite slow beginning frontline perfect reach inquiries matters concern reconcile issues fp processes finance got hands learnt software completely effective power bi adaptive microsoft officeconnect goals copywriting advertising learning write copy things developing need advertising offered got working rsm beneficial academically professionally working capstone project eye opening showed management consulting project consisted us identifying problems company providing solutions revenue company global brand company subway figure prevalent problem occurring using microsoft excel microsoft power point together presentation highlighting subway main issues came solutions prevent subway close stores instead expand globally managing project working financials solidified desire consulting met welcoming recruiter fellow interns respectful right home rsm develop professional relationships learned regulatory process contractors banks monitoring ensuring certain quality construction projects future since already contracting company wish given complex assignments company honored wfh policy said going Marketing learned tells scientific decembersions suitable however companies small companies classroom time attract customers words becomes particularly however due lack logic local language interpret learned useful larger company future offer wonderful working culture radian eyer corporate willing succeed contributes professional working softwares could adapt wise learned sql visio tableau access assignments produce quality came looking answers like double fairly disparate fields finance management systems decemberding wanted somewhere teach tailored towards majors like accomplish analytics strategy comcast business responsible forecast budget caters finance background analytics serves management systems regards projects thoroughly certain necessarily abstract projects rather given clear vision outcome helping stakeholder get desired outcome perspective grown individual terms usually shy intern jobs however meetings ready break ice introduce answer questions grateful managers helped reach point professionally clarity like degree right company special shoutout folks comcast business forget equity provided opportunity exactly spent researching making recommendations investments company investing time rich projects utilization courses learned projects studying finance professional basic courses cover economics statistics accounting etc courses said applied content quickly content pursuit goals foundation contact company foundation capital seek promotion opportunities company get touch things levels firstly query sql mode generate extensive reporting sales company statistics potential bugs alarming trends goals process improvements helps strengthen analytical secondly opportunity investigating modifying ineffective partial crm database system collaborating solve issue quickly helped improve interpersonal tie together lacrosse business background combine strengths reflect helped business maintaining existing customers youth players families enjoyable fun gaining valubale lens seen professional pursuing could since match description someone planning working sports things seeing recruiting process learning collegiate athletics ivy league cool provides wide array management shows ins outs details making events happen franklin awesome perk building professional supervisor employees company helped foundation step enter force goals consist wanting investment banker bryant park opportunity closely juneor bankers managing directors treated entry analyst got investment banker looks like helped pursing professional investment banker opportunity sister company emerald park capital private equity invests cannabis means got buy sell investment every opportunity slide decembers clients investors developing reports newsletters companies prepared reports monthly opportunity pull comps ratios used presentations finance form valuation given tasks helped deals giving us moving parts investment banking developing contact lists organizing Marketing outreach strategies entering capital providers database tasks helped goals increase quality experiences pandemic hour week better modules like challenged second got taste like hour week forced times problems answer clear third final intend get challenging currently ia accomplish goals company Marketing public relations dream walt disney company main third college companies search could serve gateway time future deal grateful boss entire professionals staff ia opportunity ultimately learned deal networking interacting professionals schedule like time jobs college attuned could potentially saw enjoyed cycle harris saw settling consistent routines brought happiness creating goals aspirations reach towards future like striving understanding could economics degree fulfilled provided working company means rely get things done example sending invoices customers every morning meant receive money effect cash flow worked project took around months sense accomplishment Marketing university chosen digital Marketing following biggest working toward achieving working crm operations specialist learned key strategies targeting reach customers increase open rate brands since learning brand management classes liked working brands across fanatics fanatics marchies strategy merchandising vertical e commerce corporation found interesting opportunity fanatics offered opportunities across brands digital Marketing roles together access wealth certificates salesforce Marketing cloud arm certificates salesforce apart candidates grateful add resume fanatics asked biggest weakness answered yet output correct could boss supervisor interviewing assured opportunity face weakness every email brands longer question rely correct offer invaluable reach goals without looking non profit opportunity type non profit operates remaining time looking forward taking classes related non profit management schooling opportunity get feet wet likes cradles crayons looking learned working hands description says open Marketing majors like reality feels appropriate someone supply chain management operations said working warehouse seeing supply chain unfold helped broaden understanding kinds non profit case workers sitting office started knew wanted non profit sector ultimately fulfilled learned wanted terms organizational overhead communicating outside partners picked lots starting develop risk analysis opportunity participate processes aimed identify correct unnecessary risk numerous departments looked transmitted business partners outside suppliers thought particularly useful included technological element third party systems used integrated enterprise software performing analysis business meetings process owners discuss strengths weaknesses processes identify risks incredibly today business landscape achieved developing prior starting contributing already established lasting professional relationships coworkers opinion valued considered learned several methods bolstering cohesiveness despite requirement home better lacked factor greatly enjoyed engagements worked individuals connected forward continuing develop relationships progress direct operations front tested ways directly reporting contributing exploring paths network professionals colleagues contributed strengthened technical got actuarial science helps dominating helps better technology develops live scores brought little closer working mlb someday teams mlb league runs operations behind analyst scout researcher whoever game baseball like contribute intuition watch live game anyway helped closed gap fan professional mean view game fan paying attention small things time rewind game watching things every play things pieces teams assignment couple times week someone understands evaluate eyes wealth management financial advising known years wanted around stock hesitant wall street working retail introduced knew little short months learned could happily everyday working learning things avenues could confident pursuing biggest reason chose professional goals enrolling get hand graduating knew process time happen office professionals accounting invaluable gotten college learned past six months aspects accounting working pcom learned professionally including write resume interviews compose professional emails get hand allowed time spend working getting accounting graduating decemberde wanted rest imagine going college without finally begin realized accounting like allowed opportunity get forever grateful professional obtained satisfy crave creative silly seem time spent answering phone front desk office known hoping reach asked answer direct calls terrified confident earlier constantly worried mistake feared messing super hesitant result several occasions small mistakes learned mistakes crucial importantly learned approaching fearful situations timidness get anywhere time grown confident phone learned handle situation nearly nervous instead accepting fact mistakes inevitable opportunities asked assist front desk phone duties learned nearly process independence levels grown tremendously feat proud overcoming challenge shown capable step get head accept learning process grateful going wanted bigger company employees easy get feedback walking across hall time pandemic faced office could walk rather email someone problem peco working virtually helped peco hundreds helped like working corporation rather bigger smaller company keep mind aspects accounting determine wanted future took financial accounting accounting majors wanted like learned debit credit determine like financial accounting huge step towards becoming accountant learned classes lucky enough workers business like franchise future learned opening business learned public accounting narrow options accounting main goals focusing time discovering kind business post time classes helped helped improve problem solving allowed form exactly future granted financial looking category widely diverse past allowed get better areas could allowed time working relationship velocity realized talent sales going progresses going round looking options ones previously looking decembersion stay relationship velocity move things introduction sales little customer facing sales interesting factors necessary making occur since sales line reaches customer components Marketing development legal finances etc together ensure enough sell business entirely aware prior got helped better analyst none corporate lawyer learned leasing process contract terms vendor diligence fs investments compliance worked legal future lawyer working legal got hand takes contract business together amend contract terms consensus memos wrote required lawyer thinking cap necessary nothing missing erroneous vendor furthermore memos wrote strengthened write eloquently formal learned time future jobs learned communicate effectively timely manner digital Marketing specialty social media accounts company completely used opportunity loved opportunity connect accomplished journalists learning opportunity express topics freedom content meaningful lenfest wondery welcoming supportive working related pursing public speaking three projects speaking front crowd confident get nervous speaking front better related professional given Marketing professional Marketing company instance clothing company Marketing retail company like free urban outfitters example right direction working sports clothing company learned Marketing classes sports plus since sports clothes like Marketing dressier business compared sports clothes helped professional stay top things projects could get could limited time successy constantly reaching asking could anything soon finish daily tasks professionally wanted greater network using opportunity staying touch working done remotely invictus wealth management related professional goals stepping stone investment exposed types things taken portfolio management invictus portfolio alot things given passion investing college interested pursuing project management form explore project management construction management beneficial seeing construction project allowed project using slowly picking worked company seeing professional project worked several budgets properties allowed brought changes company operates operate trades cycle completes pnl marchin helped goes trading working sig tech technology date pursuing degree finance business analytics perfect learned alot operations used alot software bloomberg excel future wanted fashion remember opportunity allowed could like favorite tried Marketing fashion space planning corporation got speciality wholesale small business rounded experiences excited buying space wanted process works familiar financial modeling done develop operating models predicting cash flow expenses calculating marchins incredible given companies improvements done smaller companies keeping track predicting future financial performance potentially entrepreneurial ambitions incredible working firms closely ins outs business view chemours helped rounded business professional marchetable company buy finance particularly private equity get private equity quite time traditional pe divisions investment operations investment charge sourcing evaluating deals chemours due diligence financial modeling financial statement analysis makes suitable investment relating coursework going taking classes develop modeling valuation operations charge providing ongoing financial strategic portfolio companies chemours supporting corporate segment serve finance business partner helping strategic decembersions understanding impact total company results addition procurement supply chain could strategic insights companies operations operations finance communicate professionals fields interact drive company competitive unique potentially broad corporate finance got time chemours sets serve analyst either operations investments private equity deal like current business studies figured health care specifically medicare learned deal motivated slightly unmotivated due fact second online due covid goals shifted personally academically gone current state got opportunity colorcon ceo cfo vice president president introduction meeting global finance around stories helped classes better grad types financial works get perform learned importance compliance company chubb realized compliance ultimately line defense valued chubb learned gained working compliance analyst related management systems business analytics gained technology ultimately future allowed company learned using excel professional pursuing expand business portfolio every business finance etc stretch comes making future decembersion pros cons certain aspects business raise gpa time finish allows academics courses need helped project management technology company network possibly achieved met greatest chubb got network wanted majoring supply chain management centered around supply chain fact distributions got goals needed hit successy goals shipments got entire warehouse together shipments close orders professional pursuing networking completing minor business consulting working consulting third opportunity network individuals comcast outside comcast network business consultants successful consulting firms firms aspire allowed hear professionals experiences tips tricks consulting consulting better successful prepared going interviews business consulting courses material better going consulting courses therefore excited better understanding learning engaged discussions network individuals asked questions interests suggested staying touch future opportunities several years pre med wanted reach switched business Marketing direction changed willingly unwillingly step wanted entire agree pressure barely room things whatever eyes routine reach fix gaze onto pertained professional showed degree things limit adolescent adult pondering right went added graphic design minor little adobe creative suite professional goals improve competently effectively utilize software wanted photoshop indesign illustrator effectively indesign fun streamline processes learned applicable nice makeup business constant improvement departments thoroughly enjoyed trying invoice automation system procurement spent time figuring vendor cut time costs process spent time cutting time spent tasks personally could satisfied cycle provided dream open youth sports complex hometown presented benefits challenges managing venue sort owning managing sports complex challenging ways example projects cycle sort venues producing revenue company easy venues deal company asm global shown elements management company gets payments consumers charged amounts money attend entertainment events insurance alone building could cost hundreds thousands dollars recognized company needs collaborate often keep buildings running management consistently checks ensure buildings events running smoothly need financially ready fund building maintenance sports venue socially ready right ensure success easy buildings hold hundreds events per primarch functions business figure potential careers interested pursuing college veeva completed rotations center operations addition rotations worked finance accounting opportunity things allowed general opportunity company chop fit could working college prestigious hospital ranked opportunity quite like working company working office entrepreneurship innovembertion smaller members currently liked portion easy communicate together went goals fit finance technology innovembertion office entrepreneurship innovembertion fit basically meets medical innovembertors hospital listen ideas business kind like chop shark tank pretty eye opening learned takes business ground goes goals interested running business either boss sort huge number steps takes business goals professional ones reason enrolled professional experiences working somewhere time reflect left clearly defined goals wanted accountability responsibilities wanted ownership project worked mindset entered second paid responsibilities accountability ownership coming related started pharmaceuticals biotech logical step head thought working insurance company like independence blue cross ibx sense like health insurance pharmaceuticals similar premise terms mission providing care members patients customers answers entirely comply prompt kind shows figuring goals using rule things like rule things like takeaways learning hopey eventually like tolerate attending closely professionals investment banking joined online beginning spent little time office meeting entire online calls difficult get relationship since began working free time relationship friends working together main wanted confident wanted interests however acquired done shown enjoyed things designing cooling systems modeling learning construction ultimately knowing physically created designed used millions brings excitement joy brought insights audit works translate potential consulting tech software sales enjoyed learning using technology everyday beneficial mix little technology beneficial opportunity pursuing slightly like get classes applied professional outside post college thought enjoyable helped narrow post pleased get type management leadership difficult management found grateful got add resume get future knew pursuing degree operations supply chain management told going explore layers supply chain three wanted better process interacts going time better identify areas likely graduating time rule particular areas working philadelphia orchestra products musicians rather tangible buy store found wanting consumer goods retail setting working musicians boring opposed found missing goods getting satisfaction seeing final stores related professional helping management systems technology allowed professional seen every troubleshoot problem hotline service physically repair chromebook repair chromebook better sense technology works fulfilled learning computers technology general whatever professionally knew chromebooks fixing students learning home reached hotline whenever anyone fix problem grateful appreciative like reached helping knew problem fixed challenging abilities pushing used tp worked franchises could correctly sanofi pharma global company goals interested travel got finance leaders chile paris japan across parts europe north america allowed connect coes regions streamlined submit read universally required learned accounting classes intro mis classes saw past cycle opportunity initial affected covid pandemic expanded skillset deep dive corporate comcast business shame y comcast easy get involved stat connected peers virtual offering professional development events networking breakout rooms encouraging schedule greets comcast employees office us homes corporate expand technical pushed proficient excel experiences using salesforce tableau amongst systems used online systems daily auditing reporting better sales reps efficiency customer polished presenting sharing findings regional division heads several times cycle wanted three opportunities types narrow like small business comprised ten employees second national massive corporation experiences equally hoping financial analyst going taking courses relevant including public finance finance courses allowed critical parts endeavor financial advisors financial analysts comes wealth management allowed get depth view system works wanted line dad wealth management quite time working lpl financial allowed right indeed allowed apart processes financial advisors clients sit meeting clients listened phone calls financial analysts got concepts behind analyzing risk tolerance certain going going professional goals used time remotely someone remotely prepared like completely virtually around students decemberded get coworkers better term safely together campus proper social distance confidently successy remotely shown businesses operate without normal office learned self sufficient self reliant due nature blessing sometimes tough learned hold things remotely address problems concerns someone soon going Marketing international business legal studies wanted blend subjects together classes conversations employees hand experiences learned direction learning started working early impression officially started stable stable pay unfortunately case quickly became dissatisfied interested Marketing opportunity hands professional works interested hiring amazing security financial services advising boutique could years graduating gaining choosing exposed working corporate setting looks like workings compliance controls get business sports get successful lack better suited fall winter allowed depth outlook commercial estate works activities relationships formed simple cold leads deal closed learning talk phone deal negative clients beneficial social experienced aside estate license already estate terms processes came naturally helped narrow little hesitant commitment catered interns aspiring commerical estate agents sales thought wanted however highly considering positions finalize estate development investment acquisitions caugustt eye speaking successful phone daily planning search grateful opportunity got marchus millichap commerical estate works private wealth management courses teach students vocab equations etc us soft needed navigate professional working front office forces social communicative public speaking soft private wealth management talk clients sell services got learned attract clients confident excited improving currently pursuing time gaining effective communication working virtually difficult excellent opportunity collaborate worked levels business financial offices communicate respecty networking presented giving amazing experiences meeting looked entire automotive passion cars means anything giving could building relationships favorite like engineering profession anymore tried sadoy opportunity business things rather engineering absolutely correlates writing excel formulas creating spreadsheets simplify determine easily challenged functions excel perform actions excel preferred profession coach soccer highest excel crunch numbers shows favorable outcomes certain situations figure ways exploit statistical advantages profession coaching excel useful every setting gained excel showcase abilities office interviews future aspiration office setting possibility extensive excel things table understanding sustainable peace products thrived since little boy fascination things improve state dedicated making companies sustainability route quite amazing ambition marcheter helped given creative freedom products since missed comcast due cancelling students jobs loss bolster professional get alter match professional goals since double majoring accounting mis allowed technical aspects audit biggest professional pursuing fact open company soon working seeing works interesting insightful times learned problems could rise thought learned tech business future learning read write legally binding contract parties classroom learning test working accepting hardworking gets done personally thrive balance reality understanding pursuing allows control watched time allowed responsibility develop held grew software known eyes companies similar ways somewhere similar professional goals communicative open little bit considering wanted talk somebody email setup meeting quick chat hoping eventually move could get connections hands however adapt like else get used adjusting schedules works office time zone adjustment learning adapt entirely culture gained personally enjoyed communications join sales calls meetings conferences luncheons opportunity practice learned opportunity network colleagues several aspects working accounts payable procurement services related professional goals learned working procurement services taking helped future ways goals attending advantage figure kind future like future like working procurement services past six months given better like enter workforce working procurement services participate operations university learned acquires goods services function taking procurement process given better like professional setting past given better like future beneficial relation professional goals created specifically livent allowed progress professional working analytical international company blend majors international business business analytics opportunity ways collect analyze seen vast improvement example spent time working excel learned techniques organize formulas future endeavors organizational better analyze compare contrast certain forecasts better business decembersions used seen improvement analytical related professional opportunity communicate colleagues livent branches around treasury professional relationships increasing communication analytical basically realized corporate past corporations whose products message supporting particular meaningful impact society positive makes progress towards positive working insurance shown capitalism failed society quieter ways encouraged hopey difference society political analyst pursuance application custom design combines global studies political science management systems analytics background history politics asset today political climate influence legislation analytics contribute improving society hopey progress encourages tangible actionable politics shown talents lie encouraged analytics difference opposed feed capitalistic nature society comes unspoken expectation cause least inconvenience whoever serving completed genuinely professional fact prompted completely disillusioned corporations capitalistic entities general propensity thrive suffering realized longer businesses like unfortunately latter half reinforced excel capabilities developed classes figure interests Marketing since crucial knowing positions actually social media Marketing digital Marketing direction interested completing similar exposed systems platforms introduced communications Marketing professional working established corporation highly knowledgeable aspects since second essentially continuation arkema already established chemical manufacturing r facility nationally globally due fact already given working type like companies opportunity aside factors opportunity projects varied widely across procurement type opportunity tremendously procurement company dealt providing buyer logistics analyzing amounts spend learned biggest suppliers customers performing quarter quarter transitioning second business unit procurement dealt primarchly managing company travel software travel strategic outsourcing analyzing baskets due opportunity things like national managers preferred strategic suppliers attend travel oriented webinars btn project determining supplier based current trends opportunities exposed aspects procurement purchasing strongly supported widely knowledgeable professional strong foundation future time digital Marketing space allowed email deployment inside email Marketing works entering digital Marketing space gained salesforce Marketing cloud tool Marketing salesforce access courses could improve existing relevant goals education finance business passionate discover confirmed excited investment banking private equity going forward trying figure sporttrade helped guide define kind opportunities workforce getting seeing liked foundation rest professional communcating challeneged every communicating tenants times phone ring answer prefer read messages respond answer message reffered case discrepancies ever arose reason picking pretty bad responding spot times picked gone however times familiar verbage answer like prepared anything realized started coming small nimble tech company juxtaposition comcast intriguing came finding productive since less knew wanted comcast expected coming worked familiar small company reported leadership worked teams autonomy came approached solved challenges comcast unique smaller close worked daily opportunity reach teams get taste variety experiences driven decembersion technical aspects mis upcoming quarter opportunity reach hands business comcast learned comcast ciright search process subsequent like larger company better fit point professional comcast showed seo showed quality working enjoys jobs workers prioritize goals worked form online security integrated key card individuals companies therefore business technology cybersecurity competing companies similar products functions channel partners sellers purpose analyzing entered developing personas target sales addition development testing company apps development learned responsibilities company techniques gained website scrubbing analysis app testing development business insights aid rollout creating personas customers addition applying gained improve apps development understanding geography company sizes locations functions hierarchy competence pinpoint largest competitors potential buyers helps given regards developing adjusting business fit takeaway adept business operations adept business operations companies among industries consisted presentation presented upper management tied improving feeling public speaking project connect accounting vanguard heavily supported managers provided constructive criticism feedback increased presentation spent hours working tweaking presentation confident presenting display management opportunity zone presentation consisted relationship teams spoke reflection time vanguard helped better understanding departments vanguard getting hear hand informative asked questions management presentation improved adapt quickly critically maintaining professional attitude given exciting tasks putting excel sheets things actually exciting communications collections agency found uninteresting learned locations working miserable need thats network connections online meetings coworkers rare short patient dream helped navigate towards fulfilling deadlines attending meetings time completing given tasks assignments timely manner future successful hardworking individual things clear cut seem must stick intuition gut intern given due respect exciting challenging must willing risk counselor address issues concerns regarding employer duties found navigate stuck ethics completing given tasks submitting time supervisor appreciated polite respectful employer till trust description list type company came hoping achieved immensely sheer emails receive jargons greatly contributing makes qualified candidate future opportunities enjoyed second working company unfotanutely could covid looking wanted highly recommend professional okay get feet wet simple things time teammate meant difficult useful things professional helped smaller businesses compared larger established businesses working company decembersions top leaders bigger established businesses hardships small business learning benefits came smaller businesses learned bigger businesses relationships helped communicating learning small company tasked jobs rather sections section companies larger companies like working company like small company procceses vastly bigger companies learning professional working professional setting opportunity needed working somebody expectations need prioritize certain tasks difficult learning working home uphold professionalism attending meetings emailing employers get like dislike workforce achieved realized constantly contact linkedin schedule meetings sell platform clients learned dislike tedious working structure means thrown learned working someone enjoyable getting paid decemberntly y company goals likely helping ceo goals helping away helped develop goals future developing achieved like expected without disappointed allowed get grasp larger company possibilities provides hold types titles fall supply chain description planning operations supply chain unsure finance third post looking get analytical recently added mathematics recent addition working towards completing mathematics degree main focuses since load math heavy going knew projects assisted analytical based learned math analysis classes like challenges posed analytical roles using problem solving solution fit fostered passion communications public relations chosen forward adding communication minor choosing public relations fox writing distributing press releases attorneys awards elevated higher joined among loved writing counted draft press releases distributed internally externally time progressed seeing fewer fewer revisions improved professional writing piece pr focused communications excited found public relations law future possibly working magazine beginning Marketing working toward apart writing better informed passions Marketing communications degree future headed passion interior design searching communications public relations interior design magazine appreciated couple strong connections future employers similar interests like get business private equity investment banking get ton hands makes confident almost step ahead comes applying similar positions gained employers several years learned steps shoes knowing expect handle arises serious learned going academically fact challenge handle challenge built going taking tough courses fall handle workload satisfied thankful opportunity forward utilizing connections gained future professional done thinking future improve looking employer entrepreneur business shown successful business small small businesses get enough credit working smaller business given talk interact higher questions get better understanding running business sometimes smaller businesses better bigger known ones shown like like atmosphere around atmosphere welcoming warm knew needed provided alone project picked given future working several jobs business given behave react customers analytical like time talk figure like like estate finance law Marketing professional pursuing develop better customer service going wanted speaking setting quickly became spoke customers clients beneficial carry learned professional positive college regardless customer service professional shy reserved talking given deal anxiety thank pushing constantly dealing communicating familiar gained helped everyday confidently phone professional setting future interested pursuing involves estate requires communication clients successful need somewhat customer service background deal thanks carry gained rest biggest goals going college professional working todays age hire anyone based degree personally like gaining application working hands rather standard sitting classroom wanted things classroom applied working accounting services showed professionalism excel tool anywhere excel mean basics talking going beyond explore fields accounting finance aware anything accounting exposed knew existed brings curiosity search fields exist subjects accounting finance importance accounting mess society without amounts money need allocated showed importance every little assigned eventually results bigger picture personally professional development balance sense community goals extent initially hoping since looking focused specifically Marketing get better regarding types tasks fit example learned liked culture hometown vietnam working creative working small close knit community particularly daily tasks management like avoid working agency inconsistent hours affected health balance apart allowed get exposed variety tasks fields business tasks get sense like diversify furthermore intern things scratch exciting entrusted responsibilities encouraged voice opinions discussions supportive helped boost utilize strengths recognize weaknesses professionally tremendous stepping stone journey pursuing passion estate estate finance second finance development estate exposed past directly development special projects helped solidify sector estate included working zoning issues project experiencing meeting government officials discuss property developments underwriting deals determine feasibility marchetplace working tasks showed responsibilities developer typical estate looking educated experienced done capitalize future courses senior future attending law likely estate law pennrose helped confirm desire attend law pursuing estate future estate addition academics future estate law given opportunity instagram post mockups small campaign winter break aids learning social media Marketing content creation like get content creation Marketing campaigns mainly social content creation content Marketing campaigns portfolio resume secure positions content creation social media Marketing every seek likes dislikes company fit accomplishing takes self awareness reflection attempt begin monitor progress eyes reality majority small kept relationships transactional care human resource money moving forward like willing coach better individual professional without going poorly showcasing reality completely fit appreciative provided learned professional immersed drama boundaries expectations bit corporate america thats wanted working conversational design intern desire enter software sap top list places international software company fortune list thought sap perfect someday seeing consultant sales solutions sap immediately applied saw steppingstone towards completing confidently sap amazing company consists intelligent getters willing young majoring translate get network company growth seen helped towards term pushing zone develop enabled meetings voice heard projects version ago courage receiving recognition workers given active meetings goals agency works paid search beneficial better understanding digital Marketing tools perform search ads wanted hit certain metric financially took wanted figure companies invest majority figured analyze companies effective investment opportunities metrics identify certain opportunities principles public companies certain technology companies businesses private equity firms buy business financial metrics certain point business valued higher sell business growing slowly tips invaluable lucky learned thesis metrics investment firms identify company learned professional maintaining professionalism representing company prospect experiences meetings led shadowed professionalism shined helped maintain reputation company mention version everyday helped define successful grateful opportunity gives successful helps stay track hit financial goals tasked helping projects surrounding development takes leader young professional things noticed needed helped learned methods better project learned programs like smarchsheets analyze responses analytics google forms completed official business report expand network virtual coffees mixers learned advocate actively listen stories journeys networking business okay vulnerable needs done speed expectations ones hinder rather promote growth learning opportunities perfectionism learned quickly saying yes saying development coming wanted assist projects quickly realized far projects used projects often roadmap get creative ambiguity challenging connecting projects making colleagues time quickly pick time bigger spaces learned importance supportive supervisor greatest challenges septemberora working remotely boss open tasks assigned helped tremendously ideas future projects wanted ears someone willing like flag development opportunities learned needed includes less analytics helped get banking wealth management technical learned example learned code zoho sales iq script aided understanding javascript worked fro someone coding background proved beneficial addition summarch involved complex functions excel future comes banking working smaller helped communication whenever miscommunications smaller significantly helped Marketing social media business helped branding brand image successful business spent time writing copies brands working social media platforms public speaking allowed improve presenting alternative investments topic didnt top improving public speaking verbally display understood prepared professional either traditional esports realized opportunity esports org could get close functions determined wanted determined finding given opportunity originally interested professional like wanted financial planner teach financial planning possibly need specifically professional mind growth incredibly due fact growing constantly standstill entry like like direct business makers charge like could legitimate future company room improve ever absolutely four brokers sold millions dollars property septemberrately direct boss derrick dougherty successful estate agents specifically commercial northeast incredibly proud young age given insane working continues college intangible aspects mention absolute blast helped things far recommend anyone pay huge concern wanted explore fields accounting auditor decemberde choice future learned auditing okay choice secluded interesting like related sit cpa exam counts hours worked eligibility sit professional pursuing finishing degree classes working audit audit classes get future paths track obtain cpa learned classroom helped assigning credentials sit exam acquiesce professional etiquette standards endemic sort corporate environments wanted refreshing despite lack trusted early scale projects critical additionally cool involved entirely found loving prospect learning chemicals agricultural depth inside understanding produce livestreams production sporting events fit higher develop understanding apart helped professional Marketing accounting get hands seeing actually like line completely completely bit open options helped frequently used business careers networking customer relationships limited covid pandemic benefitted working business office setting getting hands trying necessary prerequisites sit cpa exam pennsylvania initially came spoke advisor created monitor coursework keep moving pace learned cpa exam adjustments accommodate credits required cpe credits need sit cpa exam required thought planning like creating towards future addition talk someone becker better understanding process studying taking cpa exam given glimpse professional could like cpa working corporate like talk handful individuals hear journeys steps could avoid mistakes accounting professional get cpa helps bdo public accounting firms accountants firms helps accounting collaboration problem solving challenging creative results none everyday auto pilot anything orders system opinion anywhere else talk customers improve aware need desirable candidate pursuing growing financial terminology opportunity read reports investment firms risk reports generated portfolio reports pick terms seen looking critical since required got terms used discussing marchets example basis points used percentages wished larger background finance must terminology helps quicker efficiently helps models beyond goals explore aspects business majors finance economics actual like classroom might like learning subject might translate thus three span five years explore anything could term actually coincides image expectations related finance accounting chose completely business analytics business orientated getting perspective getting longer looking balance sheets submitting financial reports learned like analytical particular term thus achieved getting type analytics keep steady routine wake time wanted threw away steady routine kept routine past months keep routine everyday keeps busy routine essential ones therefore im away obtain business writing communication sound trivial nature probably rather simple aspiring lawyer verbal written communication vital success starting young age essays typically prescribed regards word count formatting guidelines yet guidelines deeply rooted irrelevant often unnecessary said understanding instead fluffing emails content making communication concise useful develop span future rest courses pull pertinent variety sources effectively summarchze sources clear concise manner learned importance executive summarch reduces necessity executives spend time combing get bigger picture amounts break core shows material relay effective efficient manner learned might related content worked transferable classroom future aspiring lawyer accounting certain wanted cpa however unsure wanted specialize accounting stumbled accident looked interesting individual thoroughly enjoyed informed students either hate came company feels valued makes myriad state local jurisdictions location paperwork forms procedures gets boring like official state local taxes pick things variety received aided development rounded professional intention usually friends campus helped growth campus saxbys hires caf students saxbys allowed peers campus tressure hear several worked describe family rest caf fo looking return caf difficult friends connected campus returned campus past septemberember saxbys students creating community community serving community saxbys rest campus yet strongly middle worldwide pandemic gotten experiences suppose future mission get nature society realized planet passionate like future line environmental lawyer recently future anything helped conclusion planet helped professional face challenge y virtual main version professional virtual difficult motivated keep mental health stable glued computer hours mentally draining adapt changes benefit process learned things quickly efficiently times virtual affect helped immersed company incredible values ethics inspired priority trough comcast pricing analytics expand expertise professional ow load practical wile teaching implement types analysis business practices proficient essential business software platforms future endeavors away challenges face head times past challenges avoid faced particular challenge difficult time thought quit got praise expect interested pursuing financial consulting professional point helped takes advise net worth clients asset allocation investments sports agent appealing profession extent require master degree talking boss regardless sports agent get mba unknown timing immediately couple years workforce wanting sports agent learned need top evident making constant calls sales representatives companies responded promptly follow timely enough manner quick efficient manner using resources proper learned consulting helped whatever enjoyed background learned otherwise contacts companies could future allowed professional setting requires future learned importance internet Marketing could company seo internet Marketing knew wanted related future opportunity leaf introduced initial training state state lessor lessee situation require strong analytical comes determining item taxable yes rate realized working equipment leasing company ideal backup taking whatever business could salesforce solid jennifer cody went entirely decemberded plethora salesforce trainings certifications business working aim center analytics finance finally solid tangible backup earn money meantime huge relief salesforce stepping stone higher guaranteed closer time working haverford need communication professional read realized invest growth things professionally communicating need broadening vocabulary general topics said goals eloquent words right question get right right things eyes like future working corporate focused behind scenes realized fan like future works clients works Marketing advertising future working collaborating said hopey Marketing outdoorsy company vba improve computer science coding initially going online get certified outside however began component enterprises supervisor emphasized wanted term project based company could improvement taking months develop better understanding company decemberde parts accounting inefficient decemberded time automate cash sheets component enterprises small family business modern months updated daily cash sheets pen paper took minutes every project allowed time teach basics vba codes simple click button could download bank statements transactions organized respective categories excel could code desired transactions cash sheet online checkbook proved challenging yet rewarding project forced studies strong solve problem resources learned business regulations private investment learned asset protection going keep mind successful wealthy need protect assets ways learned organized ahead going everyday future organized achieved satisfaction working better going needed time needed completed meetings needed keep track projects due dates online calendar helped applying method rest tasks prolific driven positions accomplshed terms professional improve public speaking presentation noticed regardless management presents reports meetings takes practice clear concise overcome fear speaking front crowd communication key effectively conveying message critical professional attended weekly meeting talent acquisition provided summarch progress potential candidates included outreach scheduling interviews etc served keep informed recruiting pipeline changes attract qualified seekers actively participated hr weekly meetings presented findings compiling surveys suggestions could improve engagement address concerns helped brainstorm ideas company wide party planning stressed since prior hr communicating zoom quite however could pushing towards stepping zone confident attentively listened spoke stages projects completed outcomes discussed approaches better result learned structure speech visual presentations accordingly clear cut easy follow step towards achieving professional professional functioning business operates understanding health business j j hands correlation processes behind decembersions trying figure financial fit wanted private equity Marketing time working directly helped setting professional helped confirm chose right could working forward getting Marketing furthering abilities done pretty classes exams confident like attention super working Marketing like accept praise constantly hyping telling backbone makes valued makes proud apart relatively small puts meetings managers owners company care early updates projects meetings owners get stressed get supervisor tell time owner telling allowed revel builds working time builds revel given second worked cap analyst thought founding members company however poor management workflow resulted bad working experiences luckily time managed time pwc worked deal intern started figure advisory investment banking jobs billion firms thrived nowadays return specialized portfolio management investment banking investment banks mutual funds could potentially dream financial analyst mfao mutual funds opening described behind scenes mutual fund got get foot finance working respected company resources hours included meetings twice network maybe working term nice get dream operated stepping right like aspects effort issue issues every errors occurring difficult times root cause issue affecting daily operations making effort process affecting us soon transferable aspects hold board positions organizations progress workout situation choices decembersions effective looking ways recruit members trying shoulder muscles time entirety trying accomplish resources given decembersion fruitful effort mean spend time investigating solving worth time invested mental block surpass soon exposer financial marchets tools ones income investments time minimizing risk related helped cpa counts towards requirements fulfill cpa specifically broader accounting accounting concepts implemented tasks preparing posting entries revenue expenses accounts allocating warehouses mfcs micro fulfillment centers since gopuff relatively young automation technology dealing accounting manually completed working raw processes understanding mechanics accounting eye opener accounts managed reminded flow constant least short bursts however happen time things get dull personally speaking feels like rather professional constant challenge versus challenges deal time final months like need stress rather deal final stress rather small constant stress breaks pause time professional goals accounting increase technology earlier struggled developing applications trained bubble applications mind training understood bubble business benefit small businesses entrepreneurs goals boost finance working grant project called g force main objective search government grants applicable headquarters san francisco national grants funding projects projects based continuing education building courses programs like needed grants sdg entrepreneurship entrepreneurship adult programs since women led option women based grants range relief funds targeted struggles lack communication understood looking exactly stepped took accountability enough updated grants exact ones specifically looking bosses recognition better halfway accomplishing professional goals working higher education behind scenes competitive medical schools effort admissions counselors communication interactions students working private wealth advisors financial advisors eyes layers financial services plays found like learning money moves ways keep growing money however like enjoyed working pwas helping potential prospects making powerpoints clients learned whichever decemberde working clients talking phone meeting strong relationship admired pwas communicated clients personality thrive rather behind scenes letting communicate get employees allowed projects network company dog lover fit right college animal space business veterinarian strong foundation financial analysis cemented towards animal majoring management aspirations working professional sports certainly helped jobs hold future biggest strengthened communication communication business esf responsible communication customers professional manner daily basis answering phones sending emails mainly parents needed type assistance regarding summer camp plenty kind parents plenty kind parents strengthened communication assist upset angry easy key helping better candidate future jobs entering things care improvement thus learned get sap system widely used companies moreover developed professional connections could future perspectives actually earned precious things biggest goals combine science minor background finance given outstanding opportunity explore aspects draw conclusions given plethora companies owned raf necessary deploy analytics fascinating project purely financial positions manipulate insights invaluable proving biggest differentiators companies perform direct consumer marchets fact colleagues believed future looking employees skillset time academically professionally aim specializing intersection financial marchets analytics return raf outside setting general analytics framework deployed portfolio wide avenue explore analytics deployed deal making right considered pipedream private equity advancing degree finance gaining insights deal structuring private marchets minor science table future positions raf firms private equity beyond helped could sales needed pretty phone talking imagined get nervous sometimes fumble words confident saying time went became sales wherever worked vette time impactful remembered like public policy economic company wanted type business related wanted pertaining majors Marketing analytics administrative acceptable working small tight knit supervisor available encouraged questions excel outlook limited prior beneficial wise making connections dream teacher pursuing business like Marketing need making right decembersion choosing ensured got project related helping diabetes father diagnosed diabetes advice stay top helped similar company however aha exposed accounting revenue assets learned audit requests time tie billing bank statements significantly larger like audit got book amortization entries escheat void entries exist revenue working smaller allowed closer bond similar audit like future goals coming york city receive known company allowed like biggest banks enjoyed york connections professionals connections around country including york city leverage relationships time offer york city jersey city opening situations times little reserved recent years prevented improving quarantine occurred past time reflect attribute fix allowed steps towards achieving mastered quality instrumental towards success found helped regard took directly general business taken legal studies recently wanted explorethat without y changing result entered bit nervous element unqualified lots tasks asked required adapt quickly responsibilities ways develop days found unfamiliar territory confident capable exiting entered supervisors members tremendously assisting success result patience guidance grateful opportunity strong professional working financial controllers second given greater sense prior enrolling filled uncertainty future anxiety fear choosing wrong overwhelmed tremendously knew wanted business challenge figuring second enriching business reaching jp morgan finding evolved working financial controllers accounting based rather finance confidently conclude accounting meant gained classes provided accounting accountants daily basis additionally allowed soft technical prior excel hoped improve software could efficient due fact produced excel improved tremendously proud opportunity provided company software explore fulfill goals started promptly professional pursuing excellent time sense sense commended time management pride deadlines meetings met pursuing networking connect professionals get related decembersions got advice paths connecting biggest goals break zone open conversation crucial strengthening social formal informal basis reaching professors staff students coordinate solve problems times difficult beginning college learning social behavior talk corners university used customer service time built supports goals better taking time picking words correctly situation without creating problems get closer organizational need better budgeting time juggling tasks afraid busy feels better busy going packed schedule sign curating goes smoothly improve integrated medical somehow pfizer step seeing production supply medical allowed merchandising previously cool ins outs merchandiser completing decemberded jobs careers merchandising planning buying learned lessons experiences projects got short term goals skilled analytics tools ex google adobe etc worked analysis projects driven therefore required adobe analytics get speed pretty fast limited adobe analytics exposed sap crystal ball adthena analytic tools applicable working decembersions analysis appropriately ever right aligned encouraged master tools ii learnt leader working months showed leadership management leadership roles upcoming years directly encourage project maintain atmosphere lesson anywhere found forced network communicate professionals realized law lawyer rather private equity investment banking showed larger travel live anywhere went consulting loved wanted keep labor maybe going law instead already said internal audit future associated learned learned finance learning adjust situation like college secure learned stay working Marketing specifically food Marketing enjoyed time working company could similar near future food working past fall winter shown could rest mean shows education every cycle engage gratifying college learning growing opinion college like age engage knowing specifically like time college gives peace comes college searching doubt brain fine goals accomplished succeed desire college achieved ever expected interesting unsure wanted challenge working service jobs restaurants since smallest fish pond might expected performed menial almost practice assessment came get wrong lifelong connections vette awesome yet bosses transparency addition ambitious attitudes infectious desire roles learned professional communicator need capitalize exciting goals follow learner professionally expand network showed like longest ever working professional certain learnt satisfying planning getting round adapt demands future us term join family business india seen scale organisation time opportunity directly project setting transition second adamant involved found every given creative liberty input respected received grateful positive steadily gained produce projects across teams company additionally retirement finance retirement plans irs rules finance beneficial sparked enter working celonis process mining gsk diverse opportunities hoping third similar communicate holding positions company esg professional goals focused developing every keeps connected peers professors alumni yet seen classes esg sustainable investing mention known among peers thus topic esg space perfect introduction sustainable finance fast space growing someone years space learned accordingly developed company witness helped space deeper greater appreciation working space initiative beginning saw esg persuasion takes get accepted financial professionals used persuasion negotiation mastered supervisor began approached hesitant esg professional development goals learning art negotiation maintaining professional communication concrete communication essential successful coworkers space proved communication approach towards motivating older generation finance towards greener outlook impressive motivating get legal paralegal attorney reflects becoming attorney got corporate involved legal based activities sit calls attorney going contracts owners contracts sit due diligence calls detailed questions assure risk purchasing care motivates helps achieving dean list dean list kept motivation going pushed keep working employed successful known company inspired keep working harder going spring term reached potential academically better like business grateful effort paid success maintain momentum ended note boss seemed leaving positive impact employees company sparked making dean list every term moving forward excited fun challenging journey ahead getting peco easy gets harder learned adapt working pandemic challenging like online learning terms eventually found stride certainly giving minute video company ideas video list scheduled interviews scheduled times videos needed organize folder company allowed classes experiences regards professional goals reach positions post grad peco wonderful enlightening benefits working organized company exposed supportive individuals helped entire months stay mock given talk employees applying actual opportunity practice get feedback employees outside liked peco women interviewed said loved jobs companies worked said surrounded workers plenty opportunity promotions growth questions type company future perfect going company got working company join company offers type opportunities peco like given direction supportive company compare experiences future private secretary assistant ceo company need ceo scheduling meetings appointments fast paced hold meetings clients employer short time customer service trait needed company reach trait helps future arriving time meetings appointments crucial needed assistant secretary wish ceo company learning managers act meeting clients fellow managers partners going need thinking future helped auditing interested pursuing wanted resume wanted positive difference perform kind public service working refugee asylee community accomplished incredibly powerful hear stories hardships gone overcome motivated every wanted assist clients folks worked fantastic strongly worked like community emotionally taxing times knowing helped could asked exceeded expectations led friends future working online fitness coach among things exactly supervision coach get clients business zero learning employer education finance finance get sort wealth management investment banking finally finance resume helps get closer achieving professional pursuing education main things communication huge learned communicate effectively listener open often pulling environments collogues encouraged ideas opinions collaboration strongly ideas opinions worth listening like business professional ready enter allowed refine professional otherwise grown current covid refine time management communication professional writing working accomplish completely learning example activity helped included times responsible calling irs communication professional speaking improved result activity imperative clearly confidently situation hand helped improve professional pushed closer interesting charge implementing hana sap software ultimately sales specifically corporate software sales seeing selling cycle customers point view got process implementation metrics success used problem areas faced professional goals learned time learned perform working home isolated better interact communication regards audio goes production streaming sports games camera knew interesting visit schools philadelphia got flexibility allowed games wanted cover display availability excel sheet boss flexible understanding came games cover however like time like rather time probably unpaid realized going production near future focusing Marketing rather communications minor chose wanted like working sports dream espn bleacher report opportunity watch sports get involved behind scenes streaming sports suggest time time connections process interested investment banking investing related roles pwm offered introduction finance investing allowed get like financial clients professional goals pursuing prefer corporate private got working smaller company like working bigger company like totally honest fmc got around talk projects happening faces usually hear teams met working fmc networked return phase company time short fmc got corporate like finance graduating similar figuring going corporate smaller enjoyed working smaller got questions answered faster participated meetings interested bigger company connect smaller helps get close working fmc company got handle lots pertaining patients came clinic charge quantity patients perspective someone handling analytics without point trends areas concern less leadership company experienced exactly aspiring showed encounter positions private equity wealth management eventually mba right fields classroom organizations programs join airgas goals setting keeping goals mind search future searches ensure companies culture employees passionate enjoyed balance airgas positions far given better understanding future refined goals knowing liked airgas company fields beneficial hoping combination company culture passionate nervous staring worried unprepared accounting classes challenging gained successy difficult instilled trust proved reached confident subject reached making connections networking company enjoyed interviewed accepted week summer emerging leadership development terms term goals opportunities accounting endless accounting typical journal entries calculations needed moving forward highly considering getting cpa going maybe return company goes perspective endless opportunities accounting degree excited explore carpenters workshop gallery pushed closer future goals internationally working fashion company products social media platforms someone post reach get attention number rule Marketing applying customers needs wants watch approached sales grateful determined every time completed works driven develop coding eventually scientists federal reserve current trying figure future weary going business working milkcrate working nonprofit organizations Marketing intern Marketing tasks learned enjoyed networking helped met companies like morgan stanley edelmen rockefeller wealth management etc professional talking roles culture given clarity paths might potentially aligns stronger excel spent time excel picked shortcut tricks future going classes excel confident future exposed things across divisions allowed let personally learned learned like biggest plus thought negative financial analysts working directly head intimidating creating checked millions times sending going checked anyone else responsibility shoulders trust pwa working directly pressure strong relationships super anywhere friends family strangers future exposed things across divisions allowed let personally learned learned like biggest plus thought negative financial analysts working directly head intimidating creating checked millions times sending going checked anyone else responsibility shoulders trust pwa working directly pressure strong relationships super anywhere friends family strangers future exposed things across divisions allowed let personally learned learned like biggest plus thought negative financial analysts working directly head intimidating creating checked millions times sending going checked anyone else responsibility shoulders trust pwa working directly pressure strong relationships super anywhere friends family strangers need tell story using allowed independent teaching guide things perspective marcher marcher perspective helped future purposes starting business applying main looking opportunity using applications software however learned instead soft communication taking responsibilities projects little bit public speaking improving soft learning like mainly focused soft excel hoping hoping learning macros financial business terminology limited difficult follow sometimes lack background financial reflect professional read news every morning better prepared future classes strategically classes collaborate presentations public speaking positive self reflect business professional coming college exactly wanted finance routes talked worked individuals across company pfm eyes haw tracks degree finance finished second coming closer thought handle working completing past hold worked small immigration law north jersey boss wanted get business operates beginning perform everyday tasks tedious got business operated trusted difficult like filling government documents making cover letters case filings etc thought perform half tasks completed problems got feedback reassuring im satisfied ethic surprised capable excited spring summer going goals professional collection college finance however realized wanted business analytics showed analytics time found hand selecting analyzing hundreds thousands points clearly efficient collect analyze since none us y learned modern analytics stuck brutally painstakingly going point supervisor applied automatic scrubbing technique cut months days waiting scrub instance emphasized learning business analytics started taking google certificate analytics matter modern every single company benefit analytics showed accelerated accounting provided wide range areas accounting preparing financial statements entities filing regulatory reports understanding basic accounting including debits credits working general ledgers accounting systems reporting audited balance sheets income statements statement cash flows developed drastically beginning exceed advanced accounting positions refer experiences leverage future things learned success opportunities furthermore notes lectures applications came across lessons could classroom example learned leading company records transactions transfers source documents workpapers financial statements certain procedures protocols company followed learning operated lesson company operate deeper meaning companies operate differently based number factors comparing contrasting opinions accounting company general term becoming knowledgeable accountant fulfilled ways since second interested actuarial profession monumental giving needed determine could fit went far professional goals need prep actuarial exams aim least completed time token need time management need prep exams least hours taking classes possibly final goals working extroverted introverted trouble talking getting alone hands customer service opportunity get types converse assisting needs wanted estate second honed estate future helped aspects happen estate time fs competitors individual funds initial investment company loans found evaluated approved board members happens send millions dollars customer things underly estate working fs helped things need academically finance broad going opportunity explore corporate finance helps deeper foundation corporate finance accounting company worked small affiliation textile corporate denmarch size y departments worked together operate efficiently furthermore textile complex perform accounting necessary service opportunity communicate colleagues small company specifically departments get done helps shortlist finance like future decemberded investment finance preference enjoyable opportunity possess investment banking investment bank fit personality tough given women frequent top investment bank need prior came delancey open mind grateful excited opportunity foresight return worked corporate non stop since beginning college since coming substantially grown individual professional unique college decembersions non stop unique abilities specifically delancey worked sig communication clients every resolving issues magnitude going every months deeper trust thus improving abilities time someone every single line correct quadruple checking making numbers correct spelling errors formatted correctly reason stress easy coming delancey time learned confident accomplished prove capable asked network us future met several colleagues communicate relationship main meetings every coworker easy talk understanding things going showed relationships built wide meetings every weeks meetings allowed us communicate often communicated email slack helped business communication levels company professional pursuing figure wanted decemberded mis flexible degree teach technical develop interested pursuing freelancer mis freelance web designer however thought becoming content writer since thought strong writer easier learning code portfolio wanted written several blog posts worked projects demonstrate abilities collaborate content blog posts wordpress html helps bolster web design given small database asi excel database creation management professional ladder system mean company opportunities higher ranked positions leading company wide presentations becoming supervisor add allowed front company executives share ideas professional goals eventually top executive founder successful company fact exelon peco gives chances success reasons enjoyed got individual search scdc get related business like add estate minor investment strategies including estate transactions estate agent investor clients related investment banking private wealth management analysis estate deals learned talked underwriters analysis worked requires multitasking close professional things time daily example asked organize documents including invoices customs procedures etc required categorize types documents parties manipulation arrangement flexible avoid errors ablility multi employers demand candidates personally jp morgan global financial services company useful senior management stakeholders several entered name financial company either accounting analytics finance related accomplished working equities financial control jp morgan chase financial accounting equities complex yet interesting learned products equities learned diligent pay attention little details entries impact balance sheet income statement enhanced accounting minor finance working jp morgan financial accounting infrastructure reporting fair biggest professional develop professional mannerisms every setting challenging company teaching style comparison learning style instance supervisors tend assignments completed little guidance difficult lack communication led differences terms results challenging allowed develop sense professionalism learned guidance developing problem solving main working college professional athletics nice responsibility charge original grade given recruits football future literally hands enjoyed taking extra responsibility compares got puppy pomsky time taking care things mirror professional goals fast paced time management stress quick paced efficiency accuracy pushed attentive detail pressure deadlines addition pushed working several projects time capable juggling deadlines time sensitive manner pushed several personalities working habits among workers strived pressure responsibility entire relied future business management ins outs managing importance planning found defined headstart game peers graduating college years accomplish researching jobs offered finance started wealth management thought applying wealth management positions got offer fairman worked wealth management intern learning ins outs wm business got talk partners periodically started fairman past months learned talk clients reports monitor asset allocations grateful learned short time smiling pursuit wealth management future network time fairman met intelligent close close professional network grateful finally someone talk professional advice staying touch members fact sort boss controlling payroll ordering products whilst talking sales reps helped reach professionalism power sort controlling father store supervised professional could reach regular since nothing hands related professional goals learned function office thrive got accounting biggest fan going reason took related courses starting however actually working got interested type showed started thinking money wanted get making figures could pay debt fast afford wanted progressed unprecedented shutdown country learned care rather making money perpay like meaningful goals finance minded perpay found finance means helping providing meant credit scores developed future perpay going least every mind possibilities outside finance solely focused making difference meaning anything tools familiar challenged embrace unfamiliar adaptable general main reason chose process wanted prepared provided every going fulfills professional simply gaining figuring future considered indecembersive going helps weed belts helps companies fit comparing realized like collaboration medium hearing feedback learning actions got intrigued digital media Marketing loved named clients seeing published clear trying figure ways worklife found loved camarchderie companionship company provided like took care wanted fields company resume appreciated zone appreciate finally goals answered excited store met individuals areas including portfolio management relationship management provided paths available investment management created execution december provides trade cost analysis including implementation shortfall performance versus benchmarch presented head equity trading senior management reconciled glenmede mutual funds daily basis allowed portfolio managers trade accurate cash figures open assisted implementation trading models charles river allowed private wealth portfolio managers wide range available models across risk spectrums accounts communicated equity fixed income traders office operations ensure trades settled counterparty custodian improved reconciliation process implementing transaction automation status updates reduced potential errors time needed process goals working front office worked perfect allowed front office worked accounts ranging size investment objectives saw business process watched clients onboarded taken steps invest money strategy liked six months miss loved business researches funds portfolio implementation future seek process proffesional working social media sports time taking company social media previously worked individuals platform wanted thought beneficial company content social media schedule massive portfolio completed communication coordinator springboard writing communication heavy rather Marketing analytics driven like springboard planning projects writing working lots communications internal external resources loved found pretty skilled things applied advanced ms public communication term pursuing communication based gaining Marketing wanted social media free rein explore passion get feedback professionals content resonating upon starting aspirations stem saw medical profession somehow working lab switched business completing business quite anxious peers sort history working novemberce knowing wanted specifically business expecting sort little ease knowing worked professional setting right questions interviewing prospective employer example leadership styles etc typical workday like working helped contribute organizational management recognized areas company benefit greatly lack clearly defined responsibilities helped train brain identify could responsible goals graduating equity trading connections towards moving jp morgan considered recommended hopey jp morgan final culture jp morgan represents system front office positions desirable corporate expand professional networks wanted company thrive time collaborated couple projects completed projects favorite project afterhour objective project vendor obtain passes saw afterhour receiving number calls pass rate low thus weeks main daily audits vendor coaching feedbacks audits uncovered calls dispositioned cs transfers missed opportunities identify common themes helped improve fiscal augustst presented bruce smith smb direct sales west division project helped strengthen public speaking teamwork learned reach questions better questions clarification pretend intern like receiving feedback helps better positive feedback motives keep negative feedbacks reminds need improve affirmed private banking private wealth management goals firms pwm brown brothers reputation learned working enhance soft worked worked managers assemblers interesting brings results receive leader collaborative leader examine coworkers behavior action conduct proper ways failures successes example hear assemblers feedback strength leadership style better understanding approach example told successful leader working guiding workers mission assign nice friendly return favor jobs leadership commanded workers mission results workers satisfied learned workers makes easy future asking favor university finance chose finance due lack business micro fields believed needed like operational management remember taking opm helped knack finance degree since heard franchises professor finnin fell takes care branding operations taken care franchisee wanted franchise could seeing dunkin franchisees working proper systems learned deeper dive lets better goals father used franchise owner saw worked furthered better proud appreciate opportunity presented allowing step closer goals helped construction management less engineering actually changed eliminate engineering business management construction infrastructure like hands aspects building including design remainder classes left estate management background engineering passion better relationships teacher faculty working cvs health main goals entering fields rounded future successy easy enjoyable gaugust aligned professional goals company emphasis uplifting supporting voices historically silenced working gaugust allowed impact uplifting voices hand beneficial helping decemberde future currently finance working coops accountant kind like accounting thinking adding accounting minor pursuing mba degree cpa certification working accounting accountant word like accountant coops worked changed considered accountant decemberde either minor accounting future pertains self standing latter years freshman organized cases late assignments rushing assignment putting forward knew business courses late subpar completely unacceptable professional cases could terminated reason stay organized tasks assigned ensure completed timely manner helped practice strict planning computer ensure completing tasks timely manner nature easy common completion date included contracts easier gage jobs needed immediate attention ones could wait potentially play assessing materials cost analysis starting project industries wanted competition worked insurance company technically worked buying company opposite supply products sides allowing broaden narrow qualities looking post nice willing ones every week talk anything related currently pursuing estate possibly enter similar company glimpse like looking defiantly choice contain contributed furthering learning understanding Marketing teach things future better understanding business works terms Marketing finance directly helped non profits operate helped adjust quickly things exactly expected bloomberg finding directly correlated studying like business engineering direct fields however passion lies intersection business technology unique blend concentrations select companies specialize working somewhere like bloomberg global allowed finding like resume reflect interests direction perfect stepping stone leveraged software technology tools interesting using foreseeable future enter latter half years interesting content classes complement learned bloomberg enhance listed resume learning ones entrepreneur business production relevant future business owner going get managing communicating practice daily basis supply chains worked concept actually action invaluable draw future trying supply chains gaining coops like accomplished coops far coming bit undecemberded accounting finance accounting enjoyed like second went finance related fp workload liked kind self stuff future working budgets forecasts working allowed decemberde stick finance huge professional goals helped professional network greatly severely lacking network open possibilities employment college trained variety softwares services resume future employment opportunities finally get like better future transition employment college easier allowed explore business financial analysis explore paths business analytics finance get taste paths hone professional wanted better time management e reduce procrastination started working applied taking leadership positions clubs learning balance given like wanted positions limits individual applied operations coordinator university residential provided range involved professional development endurance proactivity required time management successful helped given time orders system usually struggle time management proactive enough structured time time encouraged better improve organisational completed networking gained staff connections like achievement despite challenges covid past months worked prepared smoothly helped finance havent seen surprised interesting private wealth management effort goes managing someone daily basis importantly seen strong advisor goldman pwm pwm advisor certainly future rounded areas finance communication social helps vc project intrests someone like financial services acquire clients book business time spent learning practices agilence helped professional goals inspired add double opportunities future related financial marchets financial instruments ultimate intersection portfolio provided opportunity highest dealing ultra net worth clients working goldman top unique products capabilities human capital grateful provided opportunity combine passions challenge perform highest alongside brightest minds perfectly fits needs mis allows roles mis might luckily exactly entire communicate effectively professional network virtual networking events professional network allowed leverage networking helped develop public speaking involving roundtable discussions financial products like equities fixed income alternatives met time penn mutual interesting hear careers transpired arrived penn mutual passionate helped could passion advocating incarcerated individuals worked closely edward foster attorney post conviction relief hand pcra written filed witness interviews conducted legal writing done dive cases explore criminal justice system prison system lens seen meaningful connections clients met heard stories forever stay developed stronger passion thanks mr foster solidify goals recommend anyone wants developing virtual communication addition email communication starting thought wanted digital Marketing interpretation digital Marketing website design social media Marketing quickly learned digital Marketing vast covers paid social paid search affiliate Marketing professional accomplished better like learned digital Marketing working digital Marketing specifically paid search heavy requires daily analytics based decembersion making prefer creatively inclined allows creative freedom interested pursuing third brand Marketing aligns professional interests gained exposed parts business financials production sales inventory etc exposer gradating getting started sales fast past professiona insights owning brand specifically fashion useful fashion worked sometimes delve fashion brand better understanding fabrics materials learned sewing machine previously hand sewing pieces helps owning brand like getting top system leverage experiences ib pe bank fund quantitative pair qualitative gained explain experiences third hybrid version third qualified dream prominent employer past six months crazy aaron learned business specifically operations supply chain supply chain management like clear production flow products transform raw materials finished goods witnessed importance balance challenges trends comes juggling customer needs production management wanted since learning freshman brown brothers harriman amazing company incredible wanted culture like brown brothers harriman least found company highly interested pursuing college opportunity brown brothers harriman finance banking unfamiliar going professional since time actual better time management personally room improvement helped develop giving deadlines projects thrown tasked setting certain meets per week quota time addition time management relatively gotten better started hand assignments tasks early fast paced since started helped daily tasks learning curve easily adaptable showed grown enough fast paced working week courses academically speaking went rounded ready entrepreneurship classes fast paced got hand finally professional need growth professional sometime since financial company financial sports athletes couple professional coaches got type loved helped watching three financial advisors thankful opportunity becuase wonderful future decembersions managers welcoming assistance whenever needed related took time chat get addition met friendship continuing months peco satisfied stressed communication leadership working benefit future working wealth management goldman sachs learned things importance diversification portfolio constructions among things however leaned perform fast paced pushed challenged mentally physically surrounded hardworking smarch takeaway need challenge version primarch coming narrow knew wanted business quantitative exactly completing pursuing accounting financial reporting enjoyed worked dull opinion repetition room collaboration learned importance working passionate prior coming finance jobs however company aviation passionate aviation working could fulfilling indicator looking geared towards customers intern none often bored lost law working smaller law like provided hands better understanding things started law goals time get accounting fact accounting gained deal working company like working small company company differences true accounting relatively small company less employees current company employees perspective pros cons small company grateful perspective college ultimately decemberde permanent accounting benefit get accounting third final needed resume since half stand applying outside get accounting ultimate huge relief get fall term applied private equity positions could get considering options get winter term interviewed summer told hiring winter waited eventually asked wanted professional goals however offered exactly wanted get foot door connections thanks network bigger ton works professional advance expanding network worklyn partners technical improve critical thinking looking get mis finance related professional understanding technology influence finance drive better ways working get understanding tools finance processes reports easier daily basis consulting glimpse could like since focused project management digital transformation initiative companies adopting eyes process could like dornsife center Marketing oriented changing allowed glimpse Marketing like showed like mirrors nonprofit orginization things salesman sales sales years old family business retail beer shop selling beer things learned frontline education approach taking using approach working helped sales rest family business get sales Marketing finance years returning home family business learned things communication connections keep frontline helped thought teaching tricks known sales got zone needed got opportunities supervisor realized situations knew fit right collogues worked daily basis helped working helping get anything might needed using bunch rest probably things professional goals experiencing corporate observing realization owner leader company time meetings professionals listening motivated ways improve obtain cpa better leader determine need strengthen need knowledgeable communicate express thoroughly efficiently professional setting classes better understanding teamwork ideas diversity involved company successful innovembertive community peco supports controllership office observe listen closely brilliant leaders members coworkers share ideas community practice learned classes interests daily basis better continuously learned members coworkers supervisors actively listening observation application carry individual critical thinking share ideas could efficient future pushed outside zone ways tend shy introverted self confident vocal settings leading older professional nervous main responsibilities project launch required weekly progress meetings communicate number groups leading meetings awkward kind uncomfortable grew knowledgable processes intricacies project began leadership less nervous helped confident abilities self like ways communication leadership influencing step right direction finance unable finance luckily allowed perform tasks related finance exposed funds lab given opportunity staff salaries changes salaries impact lab given assist commercialization lab biggest project witnessed assisted developing realistic financial business project experiences exactly kind needed like belonged goals better financial concepts learning concepts learned classroom participate hand financial planning successy concepts learned classroom colleagues employer used finance heavy vocabulary concepts vocabulary learned finance classes learned clear finance importance budgeting sticking budget aside finance related goals professional relationships colleagues employer worked supportive working alongside time working business like becoming internal auditor like accomplishment quarantine home get workers face face office setting however better get time tasks assigned got busy season non stop assignments busy seasons days given days happen regular understandable intern learned relating auditing connect staff outside audit internal auditor dream finance business instead achieved got undergo months time auditing passion lies elsewhere broaden perspective professional helped expand challenging projects related projects assigned extensive relevant goals college engagements better time struggled teenager early college opportunity exercise oftentimes busy weeks coincide busy weeks online forced wary used time online saw opportunity control time successful noticed recent past actually managing stay ahead deadlines learned tasks instructed required need conduct subject areas relating addition need rather pursuing excel interpersonal soft communication meeting working making sometimes difficult conversation excel communication overcome difficulty communication daily workforce since need jobs require teamwork getting practice communicating peoples backgrounds entrepreneurs higher ups chubb global internal workers departments chubb instance meetings higher meetings get members communicate higher ups communicate similarly communicate via email resolving enquiries conforming settlement amounts chubb associates chubb korea chubb japan chubb ecuador division professional goals include becoming certified public accountant working public accounting goals gaining working time working counted towards years needed sit certified public accounting exam companies employees years public accounting therefore expertise public accounting open possibilities type accounting better prepared certified public accounting exam company future endeavors bdo industries explore teach audit techniques pass certified public accountant exam stay public accounting term years taking bdo hopey earn time upon graduating years earning time bdo offers tools programs employees certified public accountants employees certification without certified public accountant certification reach past senior public companies taking success future term goals freshman decemberded switch accounting economics supply chain management business logistics learning critical business supply chain customer satisfaction fulfillment success availability customization becoming increasingly valued amongst consumers hired due covid book keeping litigation transitioned hoping perspective professional supply chain like entailed exactly learned springboard small company interact employees every company individual open meeting setting warehouse main st working directly beneath director supply chain east coast warehouse manger prospective paths curious managers aware interests upon ever since presented opportunities exercise learned schools coursework addition daily workers monthly org wide zoom calls allowed face interact rest company share ways improve workflow management systems warehouses unfortunately lost fulfillment due abrupt learned shadowing previously responsibilities remaining duration learned communicate project management coordinate shipments every week loved placed vital entire workers praise appreciation efforts small size company supply chain specifically allowed initiative improvements processes saw fit annoying parts warehouse fact company invested inventory management system materials took time prepping shipments longer noticed decemberded researched third party workflow software called monday com built demo rest suggestion maybe entire company adopt least time global pandemic clear finding opportunity going competitive fortunate found matched simply allowed wake commute everyday stress pleasant travel everyday main st welcoming friendly encouraged everyday manayunk warehouse shipment workers fun exciting live past months ill rest goals moved forward direction like dislike strengths weaknesses leaf helped figure wanted future uncertainties wanted hoping clarity found enjoyed number heavy business accounting finding future easier clear direct pursuing future beyond reflect upon dsg nothing short amazed months grateful grown personally academically professionally supervisors particular time dsg helped progress owning business dsg inc edc electronic capturing company clinical trials specializes creating databases pharmaceutical companies presenting drug therapy fda among insights gained working company strong emphasis professional every week entailed strict deadline met positive facilitated progress considerably hand necessary attitude business sustainably successful unique perspective time dsg understanding due diligence behind every small amidst intern plenty tasks seemed repetitive counterintuitive time went started hidden importance behind tasks loss time effort completed properly tasks preferred working held significance company agendas decemberded rush finish neglect quality need correct subsequently lose time tasks hand time produce degree quality needed produce useful insights saving time process things considered found dsg overwhelmingly enlightening grateful grown personally academically professionally supervisors particular time spent insights gained dsg progress owning business analyzing financial financial statements using raw organize meaningful ratios facilitate growth since starting classes allowed refine utilize professional got building without trace waste building colleagues peers greatly helps advice recommendation thought thought impossible probable makes enjoyable main improve grades classes time came late unmotivated wanted prove could stick past months everyday time right time thought difficult turned easier guess scared putting effort anything showed could anything mind effort closer fall college wanted improve technical certain software packages rstudio eviews classes software used single single quarter forget utilize quarter invest time effort get familiar software package stata used individuals companies code almost projects pushed dive deep stata get confident using due flexible working schedule series computer science spring summer quarters classes python improve coding classes complementary provided techniques coding transfer coding stata highlight getting opportunity mentor star scholar stata project since happened summer quarter opportunity test acquired spring analytical upon means software cleaning organizing analyzing summarchzing learning visualize using stata creating summarch reports communicate findings experiences working peacex better communicating several teams several roles communicated septemberrate liked communicate accounting done similar beforehand introduced financial controllers importance business reconciliations pretty routine like opportunity improving processes excel macro helped speed pulling files pasting templates rec ready investigation showing process reengineering similar future allowed get better corporate works small eyes future obtained seen strength future prospects working small alumni shows experiences drive banks classes success post professional goals customer service speaking customers gas pressure tests angry customers satisfy sides lots making clothing brand ideas pitching ideas close selection committee solidified legacy fashion mogul honored soon alma matter confident endeavor let professional since moment entered finance wanted dive deep understanding courses heavy later curriculum allowed get better sense reason got aspects search fund private equity got stages deal flow sourcing works professional relationships investment partners open answering questions helped areas finance certain finance helped areas finance emphasis search funds private equity loved fits personality company culture finance wanted opportunity connections private wealth management managerial standpoint gotten analytical previously personally helped foster sneakers professionally learned business regards strategy analytics regards tools professional comes presentation powerpoints helped get little bit speed chose accounting pictured accountant usually thinks accounting could commit choice second accounting achieved experiencing accountant like actually commit learned preparing returns thought learned accountants responsible preparation getting returns collaboration audit winter spring season beginning stages wrap stages right helped get perspective like decemberding like finance translate estate perfect cross roads v provided needed adventure get building merger models creating valuations worked joined college line businesses like main like estate opening businesses lines dad already businesses operates daily expand owns mechanic shop west philly rents eventually taking shop operate getting working mechanic shop operating mechanic shop eventually managerial shown mechanic shop ideas implement singh tire center might efficiently hand prepared line since managerial boss available charge handle customer service working someone report employees report manner could communicate problems employees boss employees could issues boss understood boss unachievable tasks employees communicate issues boss sets tasks goals let mental health act roadblock professional growth failed learning comes setbacks get need self destruct finish college biggest classroom professional meeting personally specifically aided let free range wanted required contribute things went higher relationships step zone beneficial future biggest goals enter achieving learning helped corporate finance interested impactful connections professional gained sense professionalism assess desires leveraged future jobs enjoyed ab amazing learning pursuing multitask soft deadlines confidently prepared classes taking spring quarter completing state returns deadlines working projects soft deadlines time completing papers states remembered update state positions matrix document took became efficient developing process things finished learned strengths weaknesses improve fit kind like future professional professional atmosphere provided pursuing aspects parts get entering professional showing time every morning harder thought time working everyday five days week hardest adjustments adjustments jobs solo helped learning enjoyed time district type learned fixing computers networking office email zoom meetings bosses discuss parts could improved like helping making impact knowing helping community students district get assistance needed without us laptops remain unrepaired months professional cpa eventually corporate ladder chief officer geared towards financial reporting essentially building blocks accounting understanding publicly traded company operates expect road financial reporting process foundation chief officers determine future company wanted focused business analytics figured opportunity solidify pursuing explore allowed witness implement analytics process control process means witness firsthand beauty drawbacks solidified decembersion business analytics professional pursuing equity analyst biggest needed analyze company filings info building models assumptions conclusion helped however slightly equity focuses company filings reports valuation current focuses valuation readings preparing valuations already gives edge candidates already mastered valuation techniques used need understanding filings reports bringing step closer participating dragon fund fall perfectly aligns professional goals equity analyst allowed hand comes organizing events crucial dream owning business creating experiences working athletic assisted creating efficient successy point like prior professional pursuing gained reason chose colleges wanted prepared future could confident future coops helps students allowing somebody profession basis prepares future allowing graduating applying jobs students already seen like prepared preparing property returns business property returns little bit income returns required using accounting software working professional setting allowing coworkers experienced questions anything unsure gives huge advantage already familiar seen stuff might confident entering workforce already going offered opportunity managing simply opportunity fortunate management quite difficult teaches leadership feet eyes majors technology innovembertion management away learning get hands goals traditional sense leadership played related branch financial navigate knowing stand finance knew coming challenge proud taking challenge pushing time asked lots questions allowed pushed zone connections employees allowed resource ever need assistance advice confidently reflect gained ethic professional etiquette main second pertaining majors Marketing amazing consisted executed duties related thought second informative situation instead coursework learned classes hands professionally communicative presentation etc involved communicating public closely colleagues expanded upon greatly confident gotten amazing known company like vanguard came learned finance mis classes reading excel spreadsheets coding fixing bugs backend concept scrum agile current functionality corporate america personally acquiring difficult due pandemic affecting college months leaving satisfied done achieved time vanguard pleasure taken emphasized learning guided every step onboarding constantly checked progress transfer members meetings raise questions benefit furthermore network connections outside teaming shows approachable vanguard company opportunity persists apart company classes corporate america forward learned final terms classes future either digital marcheter Marketing analyst tasks related professions charge creating digital Marketing campaigns clients freedom creativity supervisors supportive email social media Marketing analytical throught Marketing plans clients upcoming events created content social media email Marketing campaigns freedom designing content coming creative ways promote events future digital Marketing specialist therefore helped profession better loved employer responsibility interns like contributing making successful increasing turnout kind helped indentify kind Marketing future employer tasks outisde charge Marketing helped us tasks related better future either digital marcheter Marketing analyst tasks related professions charge creating digital Marketing campaigns clients freedom creativity supervisors supportive email social media Marketing analytical throught Marketing plans clients upcoming events created content social media email Marketing campaigns freedom designing content coming creative ways promote events future digital Marketing specialist therefore helped profession better loved employer responsibility interns like contributing making successful increasing turnout kind helped indentify kind Marketing future employer tasks outisde charge Marketing helped us tasks related better global directly applies sector pursuing helps corporation operates reduce effective rate multitask multitasking classes fast paced quarter system working bosses responsible areas company required multitask efficiently similar taking classes need multitask due fast paced quarter system classes professional sap completing sap confident time company culture celebrates technology growth diversity building room growth trying opportunities intern woman treated respect professionalism superiors time listen opinion situations achieved goals little kid around heavy equipment enjoyed kid toy dump trucks excavators play sand box decemberded search outside scdc system since hometown adirondack region york jobs system google search internships went indeed searching couple results found milton cat thought cool could dealer sent resume cover letter link waited response biggest challenges searching outside scdc system companies going intern got contact hr departments stay busy enough intern luckily dad knew someone cat got contact recruiter get lined couple days offered funny company reached wanted kid ended working decemberded milton cat cool atmosphere fun past uniquely encompasses time offer going professional setting working closely colleagues without sense direction learned passion wait upcoming years coursework upcoming terms based excited determined classes regards automation creating workflows mis focused took winter term learned automation yet prepared hoping learned classes automation coding future confident ownership leadership going confident voicing opinion thoughts presentation time gets shorter far leadership taking positions e boards clubs sorority professional network networked excited connections networking classes going networking panels lebow offers branches asset allowed get better understanding like atmosphere asset management firms second asset collaborative vibe intrigued alternative investments buy talking alts allowed shape outlook get interested portfolio management eyes careers available like options achieving cfa route get cfa colleagues highly encouraged route maximize potential attend related business helps get closer connect solve questions might goals future satisfied goals maintain proper financial current helped tremendously coming step closer prepared office gotten firsthand office navigate successy lesson learned paced fast moving startup company office tad faster harder grasp college adjust flow supervisor puts closer helps struggled written communication action constant emailing written communication required helped improve written communication drastically private wealth management space achiever interested pursuing greatly helped senior majoring finance business analytics university lebow college business reasons university offers unique comes seeking professional opportunity fs investments portfolio finance management division got practical financial practices processes followed corporate finance theoretical gained college classrooms certain limitations since involve scenarios taking time time basic concepts forms strong base needs applied practice helps application concepts learned financial services sector aim blackrock biggest asset management firms portfolio management division current got fund management dynamics managing several categories funds conversations colleagues helped several aspects finance risks things starting financial services wanted investment banking helped develop hone technical interact clients develop communication time management analytical organisational showed engineering could succeed due successful accomplished professional goals wanted technical space creativity designs thought users like better understanding goals like accomplish like sql databases coding classes conclusion clear future attracted motto ambition wait estee lauder got taste feels like charge time accountable functions around facility grown personally professionally situations conditions fantastic opportunity fortune company actually difference actually spend time proper get sense across time company quite eye opening got things every wanted get every like certain extent attain working compliance members departments penn mutual learning teams fields operate hoping gaugust like future examinations regulators states regarding operations teams inside operations departments got opportunity sections working penn mutual given opportunity talk managers functions teams allowed questions get detailed overview daily functions compliance business interested getting talk working fields sparked like finance finance minor additional topics get finance working sap known successful company enjoyed time learned sap company goals better excel absolutely vital business almost tasks dine using excel working assignments time communicating workload turned could workload classes learned working towards gaining becoming professional preparing searches post pursuing using learned college y applying learned example microsoft excel little college since learned ton actually got applied social media coordinator exactly like future freedom control rare founders trusted three social media platforms improve dreams professional pursuing time develop soft establish meaningful relationships around professional found soft networking honing soft offered greater opportunities relationships stanford peacex venture studio improved collaborate given opportunity project bolstered social leadership abilities problem solving teamwork interpersonal online added additional challenges timezones technical difficulties difference availabilities forced organizational could efficiently meetings addition managing meant quickly motivate figuring peoples workflows allowed better configure dynamic leads ensure deliverables sufficient done time moreover worked pretty littler teams trouble communicating expectations learned communicate clearly define definition assignment ended asking questions often realized ideas approaches things helped clear confusion things however contributing final developing soft establish meaningful relationships established series meaningful friendships professional relationships gotten opportunity working projects due stanford amazing pathway hr amazing supportive ways setback aiming jobs Marketing analytics deviant professional business realm heading law working business holds relevant essential tasks every fulfilled improving dictate meetings input opinions prior gifted graduated without minimal communication attention detail like base point pushed zone forcing incorporate hands things actually unless helped kind future therefore influence classes taking attend law potentially international law white collar crime law helped analyzed things perspective understanding certain acts regulations used critical thinking properly analyze investigations provided firsthand law legal profession liked connections shows hired time classes looking move forward employment peco company future offer benefits professional goals apart close knit company things working company close workers friends maintaining professional relationship company prosper respects greater goals boost company morale term trusted investment banking advisor cross border transactions international helped approach term closer gazprombank worked international transactions russia united states england germany kazakhstan countries across globe helped international global banking works enhanced international communication understanding cultures ethnical professional example recent deal gazprombank worked sell mergers acquisition transaction company industrial segment served advisors sell company main bidders company investors germany united states america communication negotiation process investors learned process cross boarder transactions greatly appreciated mentioned exact expert international helped closer deal served advisors equity capital marchets ecm process helped company petrochemicals segment public initial public offering ipo process project huge involved plethora international global banks including goldman sachs jp morgan etc collaboration global banks helped dynamic nature global banking integrally related professional stated helped realized right decembersion switched mis might exact however decembernt sql used keep track thrive assisting dp studying operations management gives tools faciltate helping essentially operations learned oversee takes learned supply chain grasp supply chain reaching accomplished living reports lived collaborate business partners cycle process assisting reporting responsibilities assume planning succeeded taking ownership planning four self care codes j j honestly complaints regrets matter sports business business analytics pharmaceutical company surreal learned stick years equip arsenal tools propel working similar industries worthy test mettle competitive sports excites motivates applying business jobs crave entry since actually difference sports indulging diverse multifaceted skillsets coming formative years interested learning project management prior applying exactly allowed like mentors helped project management challenged tie alongside project management typically involve included communication across departments updating action items building reports using programs unfamiliar learned otherwise fulfilled project management ended fulfilling teaching could hand positions beyond energy sector supply chain infrastructure ever since started college opportunity center fields going throw notable supply chain issues colonial hack hurricane henri hurricane ida hurricane larry invaluable learning opportunity preparing international working relationships whatever learned technical far emotional intelligence terms german professional setting future leading diverse travelling representative working country gotten better understanding communication easier means efficient regardless direction professional time management pursuing provided accounting processes reviewing journal entries completing monthly quarter analysis processing daily cash deposits fixed asset related tasks like asset mining asset capitalization depreciation tasks varying due dates require time time tasks time additional time fix potential mistakes ensure proper completion tasks future classes professional settings tasks assigned completed varying time frames deadlines helped expand Marketing fields profession considering getting future understanding roles entry better shaped opinion approach opportunity future structured company worked saw like given structure vast freedom chubb like working company opposed additionally regards professional allowed determine like business taking liking towards finance accounting based positions opposed analytics supervisor generous enough let explore aspects worked sports professional sports college athletics college athletics opportunity closely professional staff said network main pursuing technology programs used business current opportunity excel functions qlik programs dashboards using aid decembersion making demand planning particular interesting given programs applications held past gaining continued applications allowing technologies like analysis decembersion making future opportunities programs related decembersion making problem solving certainly honed created monthly reports related areas quickly assess needs addressed submitting report completed projects involving pulling locations sorting producing report analyze decemberde based gained confidently goals future develop financial analysis successy got valuation financials models receive feedback experienced managers analyst responsibilities review financial related investment update financial model based received send model receive feedback model implement suggested changes financial models live private equity debt investments get feedback managers related profession massive involvement building connections organisations individuals allowed hone communication goals analysis financial statements investing stock considering investment banker hence analysing financial statements wanted better accounting classes learned derive meaningful financial statements y understood companies decembersions based working responsible competition analysis annual reports companies given responsibilty moving numbers annual report financial statements excel sheet worked secondary analysis supervisor called learned ratios functions decembersions percent cash invested earn cash given dividend locations potential additional branches understood took making decembersions based found annual reports financial statements financial analytics interested professional nrg energy directly related majors university finance business analytics minor computer science achieving professional working business development associate vette allowed like startup business classes encouraged business ideas could feasible ideas could potentially business future ideas worthwhile time working vette allowed needs startups sprung fulfill tools startups promote example higher ups vette secure funding project accepted integrated platforms indeed teams project students worked Marketing vette designed flyers videos social media worked coding interface used vet clients worked associate reached managers recruiting staffing companies linkedin email get services offering reached experts fields get vetters get clients companies working interesting collaborate together projects pop time time attending participating virtual meetings kept updated like busy season knew accounting like experiencing helped better likes dislikes brought step closer discovering passion since accounting broad enjoyed gaining certain concepts solidified decembersion business technology roles projects areas identify time right bit worried given experiences y due pandemic figure professional goals certainly case allowed highly impactful strategic projects got areas naturally lie additional areas interested found passion got difference company variability projects management things doors got learnings completely ways like time making powerful contributions impact rare early talent organizations projects get involved months flew amazing grows citrix students benefit like professional goals get investing finances foundation months wolf financial investment platforms stocks etc opportunity influencers solid advice ever decemberde main professional confidently communicate higher management improve coding specifically languages beneficial technology opportunity sit meeting higher management staff projects working listen feedback corrections suggestions deal professional lifestyle desired technology second going improve coding satisfied project required code javascript language coded given opportunity project result goals confident higher management effectively communicate forth ideas concerns table secondly attest fact completed project language language add cv resume realized finance helped wanting financial management learned bunch accounting management investments accounted companies helped accounting finance accounting finance communication times giving view giving appreciation helping found investment management appealing accounting finance helped becoming personable corporate helps coworkers superiors better get ahead wanted putting specifically professional setting got numerous across departmental teams self struggled gopuff company shy across levels leadership personalities etc helps get accustomed communicate confidently working gopuff like gotten better speaking presentation anxiety progress finance introduction corporate finance finally breakthrough fortune company giant pharma walk away technical future success starting business wanted investor trader allowed capital invest pharma used jnj shares excel provided opportunities excel free resources technical time management achieved since oakland california duration wake early since company operates jersey due serving teams business partrners working europe quite challenging planning since junele european time zones taking jersey time practice creating priotization lists updating constantly accommodate hours working pharma covid ravaging proud opportunity company combatting outbreak trying positive difference compared financially driven companies pursuing problem solving working organized company growing therefore problems deal problems developing tasks areas business benefit future dream house lawyer corporation exposed employment law areas got exposed areas business read article sterling miller regarding working general counsel described legal advice considerable company due departments exposed safety human resources quality finance supply chain manufacturing learned words word massive policy interpreted passionate solving problems fascinated power solve problems processes efficient motivation picking mis combines interests business going second wanted get dealing software used directly coordinating business activity got opportunity sap leading enterprise resource planning software trained navigating software using company business activity sap security got opportunity collaborate functional teams assist gaining security authorizations perform helped better understanding business functions software assisted carry daily activities needed assist troubleshoot errors caugustt glimpse professional future considering ways future working wanted explore decemberding learnt sap ticket management learnt vital soft like attention details left better prepared ahead wanted better time allowed option supervisor helped develop professional growth acquiring challenged times excel communication time management stress management prioritization noticed started trying independent assignments could inefficient get stuck cycle worked communicating supervisor quickly guide right efficiently wanted interested pursuing degree law thought decembersion however pursuing law future successful helping understanding future plans finance management systems allowed picked coursework majors main exactly wanted future helped reach exactly investment management investment management portfolio management corporate finance realm company goes putting together portfolio connections capital inevitably future capital time finance however finance niche confused answer question finance got chances practice finance time experiences determine probably graduated university finance graduating like time sphere business analytics helped step zone talk clients daily basis helped develop communication excel confident comes using like improved surrounded ready answer questions confident looking forward applying positions hopey returning korn ferry point future company satisfied expectations helped like conducting enjoyed analyzing companies using products process enabled companies get internal structures communicate employees broaden network nice excited learning planning taking business analytics classes supposed positions like hopey get business analyst trust management helped gaining enough responsibility direct effectively communicate direct network intricacies came strengthened management communication company whos mission stand behind strongly like going toward shared helped generally helped aspects ups partake hoping learned wawa inc masters degree applied economics learned chain business financial reports ordering supplier problems details food output ordering business details learned wawa certainly applied effectively business saw overlap business simulations done process wawa could staying wawa moving totem pole managerial roles promoting education wawa considerable candidate managerial managers advocates likely recommend per taking away wawa business classes effectively used wawa certainly business said goals private investment fund invests public companies public marchets stock investing requires understanding going behind curtains company presents public filings earnings calls got better sense works learned treasury operations multinational companies funds consistently moved around entities maintain liquidity across operating regions came undecemberded eventually settled business allowed dive deeper aspects business specifically finance sector connect broad array individuals company gone similar things get guidance future goals get develop relationships exactly wanted get uncertain future ease commit schooling avenues firstly international average income compensations lalamove international corporation international vibes utilized excel financial recording system increase efficiency accuracy performed exploratory analysis discovered notable relationship helped decembersion making process based findings time helped increase customer return rates providing excellent timely customer service times despite performing depth validation complied monitoring entire division dashboard tableau conducted historical predictive spend analysis determine monthly budgets detailed analysis improvement potential growth areas customers leans towards providing customer services related chosen majors learned improved professional intern highly recommended business students thought working company helps dream true get every theory practical heard could without today professional company things improve better yesterday since transferred university confident talk front studied community college helper computer lab working technology addition juneor accountant accounting service university therefore looked positions accounting business fields indeed lucky finance final colleagues supportive answers concerns working projects addition employer created professional example attend weekly presentation teams doinh employer future tell far far learned independently Marketing university online allowed yet independent front week sent assignments members Marketing requests pull audit vertical professional observing independently yet found however significant emphasis independence less priority placed teamwork assignments tend move chain command starting either passed towards whomever requested assistance ladder approval learned anything importance working working individuality allows emphasis creative freedom developed understanding motivates challenge future positions emphasis variety assignments collaborative teamwork levels challenge found consistent however manner redundant stimulating mind learned regards without fail however motivated thought provoking assignment requires tap developed positions biggest takeaway working opportunity valued learned ethic motivates rather later longer college faced challenges outside initially wanted get financial sector particularly buy equity international aware difficulties face secure time offer things went downhill talked lesson learned case pivot tech sector get time decemberding get finance later happen mba honestly unorthodox problem solve tended worked related f improving morning weekly morning meetings miss sometimes hurt attend showed wanted time went corrected got observe leadership styles learned hands hands approaches working lean depending individual eventually form management leaders tackle problems huge benefit wanted finance determine wanted pursuing accounting heard bad things accounting wanted interested committed entire loved realized accounting professional potential graduating terms belonging like mis business analytics plenty opportunities huge working second exactly helped decemberding working children hospital philadelphia related aid protect children rights close health problems children develop young ages doctoberrs treat accumulate future events charitable events future children passion like dedicate time aiding prosperous lives bit unsure going college wanted future exactly helped meaningful impact like climate finding jobs difficult helped thats like working towards common ultimately helped decembersion auditor since decemberded accounting ba mis working chubb allowed combine requirements practice got useful auditor pursuing better speaking professionally clients coworkers boss things said nothing afraid speaking clients ones teaching clients confidently get straight point wanted confident speaking get nervous presenting sometimes need personally need independent confidently presenting boss pointed advice overcome studying business learned suggestions thought afraid suggestions might used future results unless harder speaking thought afraid business need whenever thoughts might solve problem question regarding presented intellectual curiosity goldman rigorous intellectually challenging curious ins outs business used resources helped limits dig deeper wealth management daily basis got advisors analysts office catch ups time university hoping explore get could get met expectations financial shown effective ethics professions opportunity dive ar ap helped responsibility accountability integrity crucial colorcon helped progress future goals applied senior applications consisted essay wrote spoke passion diversity fashion beauty grew absolutely model western media gen bangladeshi little girl caused internalized racism self hate quite identity issues professional child like recent helped reach like included community fashion beauty technology consumer products target attending university primarch reasons chose attend knew wanted three diverse experiences time variety things future employers far managed digital Marketing billion dollar water heating company figure things less narrow rest came working seems guy answers working realized works knowledgeable departments across bradford white perspective someone knows better efficiently someone academically time get swing things past experiences planning key success yes seem minor starts little progress turns results excited term kick approach across past couple terms resulted success beyond excited third final ready better personally professionally strongly time setting success college like tech company corporate tech summer better explain summer since system considered boost ever specifically daily usage common known software called salesforce used companies industries Marketing software got bases learned ins outs allowed better performances comes email Marketing got software called trello tool used project managers need mange projects due dates complexity personally projects done entirety trello board gives insights progress projects required creative design adjustments talk developers managers websites production teams trello board better time management organizations every project finance business analytics provided working beginning businessman finance analysis opportunity improve business communication dealing business partners countries japan south korea germany usa etc learned adapted business cultures business future experiencing business fields strength weaknesses business pursuing journey destination right business control analyst finance risk operations jpmorgan chase unique allowed better understanding streamline processes months approached coworker creating dashboard eliminate excel spreadsheets leveraging track quality issues took quite bit time gather necessary configure tool certainly ran fair share obstacles however said dashboard reduced time spent collecting metrics hours per since presented prototype senior management held several demonstrations dashboard teams across plans undertake kind strategic initiative wanted knowing tangible contribution upgrades potential modifications feedback received overwhelmingly positive confident project completion ultimately learning streamline processes critical operational businesses looking ways increase efficiency reduce manual labor trend already gained considerable traction financial services development automation tools robotics process automation grateful opportunity carry forward gained third confident needed company considerations need considered analyzing approaching opportunity learned things pursuing revenue opportunity confident building presentations regardless audience additionally perform crucial anyone considering starting business understanding scope universe business entering things opportunity independently analysis key takeaways company executives going future gives whatever like dream building company native country colombia video technology future background understanding video compression video codecember video standards play development entertainment today things launching business business point working smaller form opportunity directly ceo senior officials opportunity ceo employees converses clients seeks potential partners getting better comes talking front groups considering severe anxiety comes got becoming making calls customers behalf business helped issue slightly perform better apsects business main goals properly groups interacting sometimes getting tough groups super quite challenging sometimes believer better points view whatever communicating counterproductive improved growing anyone productively near future suitable fit perfectly organize financial documents categorize target types leads keep update latest business news moreover deals match potential investors suitable growing companies financial analyst second looking enjoyed exactly looking due working entire time however working non profit working professional opportunity sports showed avenue enjoyed mentioned allowed develop learned effectively time productive pandemic unique situations health crisis establish routine get done quickly efficiently every morning get morning routine independently productive entailed days fixing broken links updating catalog days making excel sheets bookkeeping additionally got familiar courseleaf database years unique advantage knowing programs certifications catalog prior barely knew catalog catalog briefly mentioned freshman civic brought light coming like gained superpower beneficial completing years undergrad helped professional development started difficult immerse things anatomy medical device helped feet expect unexpected likewise learned write Marketing content prior addition helped professional connections useful opportunity figure automate processes given used critical thinking steps process could cut critical thinker helped given opportunity develop presentation presented process planning automating finance executives critical thinking used processes procedures developed useful public policy roles looking develop policies useful automation roles looking develop processes presentation useful classroom projects presentations tasked display making concise crisp needed without wasting time unnecessarily finance executives busy schedule presentation future careers need front audiences perceptive saying necessary need working company growing social media presence opportunity access larger social media presence could tracked followers platform similarly instead hundred following thousand professional learning network better meetings clients meetings staff write emails voices towards clients potential influencers reach including asking advertisements contacts confident point least perspective like bother contact problem making contact need coming making contact matters like trying engage influencers nervous ponder wording tone email almost minutes pressing send info conveyed properly towards became confident helped pushed anxiety johnson johnson related professional includes creating getting business earlier main reason came university excel professionally success network university far going johnson johnson helped towards starting company friends like minded coming wanted surrounded intelligent motivated confident students surrounded nature personality johnson johnson company related impacted passion ups getting business early connecting unique individuals johnson johnson get working health currently compared recent launched got strict differences nuances health countries since global project conducting generation z project helped get gears greased generation drivers barriers tensions motivations purchasing certain goods services assess win category business helped main professional entrepreneur business working gopuff learned fast growing works needed basis meeting longer term goals scaling business realized focusing building mission employees welcome theirselves company learned gopuff strongly learned takes get brand trial error wearing hats basis produced fellow gopuff employees produced contributed business gaining fundamental Marketing managing got closer vision feeling creating attended meeting gopuff founders gaining useful respecty picking brain inspired smarch responsible risks business confident motivated individuals noticed business noticed stuck gopuff values goals aligned employees streak company employees instead sided aspects trained prepared business future working Marketing analytics helps better understanding perspectives marcheter developer found portal system helps driven opportunities working goals company successful required tasks communicate get learned delegating tasks efficient needed get desired expected outcome learned sometimes successful need company helped trust understood giving challenging teaching creative problem solve situations uncommon required adapting confident achieved grew done without actually fast paced main goals following software programs particular adobe indesign illustrator professional noticed either recommendation requirement positions interested seeing requirement positions clear programs likely expectation comes Marketing related positions upon vyera adobe illustrator indesign relatively quickly coworkers played learning process pointed towards useful online resources learning software programs professional setting beneficial standard understanding quality expected regularly using programs months allowed constantly improve like looking opportunities hopey stand peers coming forward improving illustrator indesign using free time adobe programs photoshop financial largely done companies non professional setting done glenmede learnt necessarily type going future like far facing wanted get sense get future wanted open options international knew exist home country wanted develop professional could certain helped goals got taste business related nervous like disappoint eyes business mind working similar learned prepared acquired useful realized business related positions interested companies imagined left excited future instead scared hesitant hopeful future ready succeed helped get pursing estate nothing else started college entrepreneurship changed estate development term unsure decembersion estate working someone else saw treated fellow employees starters learned working someone else learned hospitality remotely talking connecting residents stayed estate became interesting since residents background estate talked learned things college found incredibly learned boss employ actually care workers note late unhappy basically plus months working learned exactly goals expanding professional network main reasons chose connections enterprise bank allowed departments bank talk founder bank george duncan invaluable development allowed head credit explained process evaluates businesses loans interested since enterprise bank smaller business stronger relationships employees superficial connections shows inadequate certain professional corporate requires commitment discipline need contributes significantly gained studies better organizing managing time scheduling etc attained excel better approach classes pursuing law helped narrow wise aspects Marketing noted liked time went realized liked vise versa created goals aspire utilize obtained departments company came realization okay college small slowly surely based healthcare curious positively contributed developed better understanding future professional goals better understanding wanted grasp concepts materials like advisor coming learned regards procedures methods keeping materials organized updated project involved going states filing guides became familiar forms learned exist fill background helped process working gained relevant future connections vague generated helped growing preferred better tailored finance accounting milkcrate brought remain stagnant food service wanted get facing opportunity got opportunity multi clients time zones got opportunity closely project helped professionally personally learned get things done perfect every enjoyed bbh amazing ever education system quite time working frightening foot like actual working communicate efficiently around unpaid top covid got supervisor however least attending weekly quarterly cooperate meetings shadowing project meetings scheduling meetings address problems supervisors acquired professional excel spreadsheets fact supervisor liked applied testament time spent communicate clearly speaking perfect english concern since international missing require goals editing excel spreadsheets require reading understanding financial parameters like cash flows savings prepared handle depth meets professional professional covid prevented happening exciting helps improve chapter like multinational corporation time business analyst helps improve analysis makes determine master ba future wanted pharmaceutical biotech opportunity wanted received opportunity experts connections worked operations supply chain teams opportunity projects used company years working solid open opportunities goals since moment started studying accounting main certified public accountant cpa exam apart thinking pursuing masters areas aspects future goals requirements need fulfill cpa exam must worked certified public accountant since director worked certified public accountant months spent corporate might qualify towards requirement need fulfil looking looks like working considering wish learned things prefer risk getting stuck passionate future move forward found taxation match personality lifestyle passions equipped technical studying combined soft gained strong candidate developed since kid fulfill potential closer fulfilling grown learned useful professional acquired pertains professional learning applicable jobs future searching wanted company experienced inditex biggest fashion groups biggest ideal getting retail works scale interesting operate perfectly fall apart opportunity better goals unclear started knew wanted finance exactly wanted company employer encouraged departments company could corporation inditex works works together helped improve intellectual opportunity departments exposed weaknesses strengths chose finance completely choice majoring finance searching masters degree improve step get relative get professional certain like higher mere hr thinking working technology company west coast graduating strive academically prep classes could ever actual experiences get workforce bit better connections early personally certain like wish already looking international finance example showed decembersion keeping accounting majors given explore areas related related cyber security specifically comes mis degree ultimately supply chain management related grasp technical soft like management upon entering senior came conclusion law mind looking dip feet legal got hired rutgers university exposed legal editing contracts dealt pharmaceutical shown sides law previously thought given newfound perspectives prospective wanted explore professions develop understanding final got bigger institutional investment management works got sit calls portfolio managers service officers communicate clients got rfps rfps institutional investment managers obtain business aspects helped working investment management interested science database management unfortunately probably need advanced degree probably looking finance related instead honestly technology programs offer mind analytic time project involved helped programs like power bi useful tool companies using technology business reason management aspirations business uses driving fanatics fulfills aspiration perfectly player sports operate similar startup company tremendous given nature company e commerce retailer surrounding apparel sports beneficial operate daily basis term success business interested Marketing reason without successful Marketing strategies company struggles expand get true consumer products fortunate Marketing positions professional sports teams seeing associated company differs Marketing strategies leagues intriguing perfect step Marketing acquisition implementation welcomed open arms Marketing corporate looking forward business Marketing growth general strive nbcuniversal networks comcast given networking resources move forward brand Marketing Marketing communications leverage steps nice friendly kind open chatting lending helping hand thats comes looking sports law inside talent agent personally time receive opportunity helped thought glamorous light law time allowed expected someone going improve public speaking professional develop project management opinion public speaking crucial like room improvement specifically develop project management future potential project management public speaking aside small meetings project management built requested presentation upon goals presentation presented included executives peco representatives therefore making larger audience used thus presentation allowed develop comes public speaking allowed project management assignment gathering notification database organize excel spreadsheet together presentation outlining process decembereasing njune national joint utility notification system backlog appreciate open allowing additional responsibility develop professional goals business learning company works interested supply chain works backbone company excel get feels like office setting collaborate workers like amazing teacher showing applications improve excel showing ropes collecting analyzing applications patient enough stay busy without putting stress pressure making finished quality ashley weidow meyer projects allowed aspects Marketing projects consisted looking compiling excel spreadsheets creating graphs charts editing updating powerpoints uploading weekly company blog researching companies involved southco inc joining international calls discuss upcoming projects housing clearer vision estate related running properties easy manageable stronger came together went smoothly helping easier essential knowing teach example sasha excel thanks leaving better understanding excel practice business classes starrez system helps properties keep track residents housing clearer vision estate related running properties easy manageable stronger came together went smoothly helping easier essential knowing teach example sasha excel thanks leaving better understanding excel practice business classes starrez system helps properties keep track residents starrez properties software keep type control whofs living properties money going properties software like starrez properties keep track residents housing residence knowing picking looks like helped view longer term goals better supervisor influenced bigger picture expand goals initially professional communication professional better communicating communicate ways criticism personally often struggle read someone tone faced extreme criticism harsh feedback extreme circumstances holding together intense discussions faced figuring handle situations reach right advice assistance observing management style affected discovered strive communicator leader learned treat professional pursuing confident outside zone ownership several projects contribute input brainstorming sessions quiet follower leader tend get nervous contributing thoughts fear rejection ideas allowed confident sharing ideas okay ideas sometimes working organize projects get feedback coworkers contribute thoughts creative ideas brainstorming sessions Marketing strategies provided project allowed collect week Marketing emails coworker got organize wanted business discussion brought zone pushed confident communications presentation working supportive helped making progress towards hopey progress professional pursing terms leadership natural leader wrestling mat classroom fraternity workers quite older challenges found positive encouragement patience helped reach older crowd get respect listen old college supervisor respectful acting mature helped respect leader future law helped get leading professional setting priceless abroad milan italy aspects experiences pursuing independence resiliency country around rely situation learned alone carrying responsibilities hand address resilience days could purpose working company however tried learning growth working bachelors boathouse helped improve interact around helped distinguish professional potential costumers satisfactory future improve abilities international already sticking abilities connected communication network circle wanted company larger national influence sap greater database employees communicate speaking microsoft teams connected around globe learned exactly sap roles abroad either state country helped unique workforce interested professional goals pursuing trying sports soccer football hockey baseball etc sports older learning get started thought learning need prepared future future working remotely soccer tour company ireland business development enjoying fun however challenges due fun recruit kids join tour times talking athletes parents working website talking coaches sports directors gained every hundred percent ready wait get started get wait downfall getting paid get decemberntly paid however working soccer working sports fulfil wanted professional university Marketing professionalism workforce college ready get preliminary Marketing post social media flyers recruitment posts students recipe week created ebusiness card spread word community enrichment fitness network tested merchandise like attending webinars got Marketing areas business supervisor nice available answer questions concerns weekly meeting week weekly log describes activities concerns week us time discuss anything wanted Marketing discuss things wanted supervisor keeping professional helped gaining Marketing professionalism supervisor communicate clients stores asking sponsorships july helped professional allowed expand connections linkedin addition clearer understanding projects students could opportunities friendships greater perspective addition experiences resume professional ethic improve ethic puts hours week basic everyday working efficiently certain goals per week actually working ethic system succeed future anything academically personally professionally necessary attention detail required y directly attention needed fulfill success short term company inspire teach majoring finance looking specifically areas financial analysis trading securities term financial advisor company shares goals morals financial bbh learned money management asset allocation things rather operations financially treasured learned past months grateful puts spot get rolling aspire finance proving honing excel boss projects asked excel income statements tables certain items future efficient workforce almost businesses excel got since finance majority projects given classes excel thankful got excel excel projects ready get familiar softwares businesses like ahead curve excel began parents worked pharmaceuticals entire careers younger wondered actually working veeva opportunity pharmaceutical said comes building learned qualities prioritize looking future coops jobs eye opening helped narrow professional rest main going simpily get familiar week already reaching potentail clients incredably basic script expected challenging since worked changing script given actaully things could happened forced step outside zone creative selling normally goes failure nicest thats signed things learned need keep trying paths eventaully works goals pursuing wanted engineering design process completing resolution management consultants achieved created carbon calculator tool complex honestly impressive proud completing took couple months working optimize fix problems user guide manual could used improved future resolution management consultants working project learned engineering design process times must better learned assume designing correct results showing moments vital fundamentally excel tabs making calculations exactly assumed calculations carbon calculator tool complex understanding tool created helped presentation created user guide manual allowed easily talk type tool works created learned engineering design process creation carbon calculator tool using microsoft excel main reason business open international international companies whilst international experiences international company ties around globe unexpectedly step responsibility assisting sales latin america interact customers region conversational spanish business setting exactly type valid working customers business segments international meeting calls ranking personnel company usa got sit meetings icelandic ceo calls counterparts united kingdom exact international hoping ready fields goals pursuing working towards degree accounting fields accounting specifically aided accounting starting little accounting learned tasks returns bookkeeping aiming management consulting completely several aspects process optimization analytics relevant tasks consultants undergo necessarily wanted however found rewarding professional goals larger aspirations making difference pfizer tenure dozens clinical trials therapeutics works addition ongoing related covid vaccine infection drug helping small rewarding goals going open opportunities dedicated sheltered open trying things open honest communicated boss allowed chose assistant special projects entire remind reminding practicing better open opportunities proves employers hardworking dedicated means throw time adult actually works learned interact coworkers professional manner learned write professional emails letters messages via teams got hands variety projects actually helped company heard spent gone traditional mistake cycle college students cycle referring usually time college students basic effective habits time management accountability active listening getting distracted etc taken classes remotely easily slip get distracted unmotivated working home comes done isabelle recommended read habits highly effective stephen covey book helped helped meaning indirectly influencing importance wellness taking care mental health time started incorporating time meditate journal affirmations started allot time schedule guess sense overwork burnout Marketing graphic design assistant creative dream business creative since design art background working towards continuing staying Marketing adding graphic design minor design portion passionate got opportunities majoring finance business analytics going knew absolutely finance oriented company seemed interviewing kind explained wanted cyber security livent given free hand wanted worked subdivided network security project management interactions vendors cyber security got host events meetings involved wonderful trying management systems professional trying get resolve technical issues encounter forward us communicate troubleshooting phase implement resolution resolve technical issues reported cooperate coworker configure proper settings devices clients smarch investments helped since discussions boss recommendations stocks effectively communicate professional setting improved time management grateful got wanted studying interested kept motivated effort academically learned colleges offer built upon classes directly sports business provided sports related company ran takes get pieces company moving together synergistic ally simple sports business absolutely nothing projects worked allowed parts like like professional goals college earn assistant ga division basketball exposed entail watching current coaches staff assistant outside practice games ga entail involves working behind scenes operations tasks like recruiting game prep tasks ga business activities basketball working business sports dream earning foot door sports professional trying challenge working going beyond parents businesses hand inspires every learned pay goes got communicate departments across company exposed learning areas worked every could gives opportunity getting masters degree helping narrow like get masters get masters accounting need including internships taxation helped get closer helped professional goals got interested working nonprofits milkcrate got takes nonprofits financial prep investment banker got exactly wanted prep investment banking however portion discovered like investment banking started instead found true passion growth equity working stressed rather enjoyed wanted efforts changed progress investor private companies helped process took confirmed desire accounting liked accounting decemberded recently thinking might like add minor took like accounting professional setting thoughts confirmed loved getting accounting confirmed accounting future potentially accounting varying fields business like project management consulting human resources partially achieved current learning project management entails tasks like specifically learned project management pharmaceutical sales therefore get detail process helped develop professionalism immensely virtual benefit future comfortably etiquette expected online meetings interactions pursuing becoming rounded professional adapt situations adequately adequately related since mainly focused engineering machine maintenance adapt sales professional since prior background subject using tight knit sales services adequately sell customers businesses need maintenance services went expectation receive excellent educational excellent challenges obstacles like university hopey distinguished honors successful international business requires dedication commitment experienced days stressful problem solve obstacles communicated player unfortunately led lack motivation however quickly discover strengths worked quit realized thrive diligently succeed related professional goals pursuing introduction financial sector since classes pertains future yet true introduction found things pointing right direction helped academically found needed perfect every single time detail oriented working trading allowed grew investments sector general allowed working trading like takes cfa seeing trading allowed technical trading increase communication every easier communicate effectively opportunities presented like candidates communication past six months increased learned communicate clients candidates workers executives prepared communicating business aspects amazing allowed get taste basis factor led education presented colleges could aspects professional however pursuing professional aspects college making prepared decemberde follow therefore target building construction already professional making emails phone calls attending meetings problem solving aspects future professional already led closer could imagined towards reaching continued strengthen current overarching problem solving main looked gather stronger problem solving professional simply solve almost related problem success assistant project target building construction constantly communicate solve problems project stayed track conclusion allowed explore professional gather stronger problem solving goals successful expand business entails aspects business paths challenges risks business successy business develop huge ins outs economics finance accounting business analytics business administration time pinnacle allowed successful company operates maybe company opportunities going excel excited future headed helped collect databases helped excel previously received helped type lifestyle business leads expect took accounting finance got working accountant remotely move reach professional goals easy decemberding without getting going classes teach learned like working taking initiative explore projects besides expected going forward small company transition finance received sciences veeva learned opportunities science working directly pharmaceutical companies hospitals doctoberr offices going little almost direction came wanted veeva helped started figure outcome veeva learned vast science companies quick google search learned types company pharmaceuticals biotechnology medical devices biomedical technologies nutraceuticals cosmeceuticals food processing better types classes provided ametek organizations business applications preparing packages returns giving fortune company professional goals like like sector reasons better business classes might later microsoft excel personally future opportunity self development approaching colleagues clients customers goals influential professional goals pursuing endless opportunities leadership projects example zoom meeting executive vice president snider hockey boss told meeting moderate meeting came unexpected ready tasks boss provided questions could questions boss provided simple wanted boss provided questions keep conversation going teach interns lessons heading got meeting leading meeting nervousness gone helped leadership got making running smoothly allowed share clear messages tough ideas easy trust elaborate complex ideas share interns working interns trust project working working ed snider youth hockey foundation networking staff members boss assigned reach staff members every week getting meeting meetings gained snider hockey received advice getting frustrated sticking shown strength learner came virtually financial performing par ftes curiousity motivation beat taking away serve challenges professionally pursuing things things stimulate intellect overcame gap profound done fp line going keep looking things regardless pay branding opportunities greatest engagement success pursuing successful like realized currently finance business analytics worked months talk types communicate kinds worked hvac things worked office setting lawyers behind scenes communication need improve provided professional pursuing get philadelphia commercial estate development companies approach execute project grew parent wanted father involved company called pmc property based philly growing exposed things company operates hunter roberts approach construction time construction management firms east coast country estate development perfect helping open eyes construction projects built takes efficiently time time hunter roberts superintendents project managers method used times construction given opportunity travel manufactures construction companies producing right material tasks took pmc eyes construction analyzing like analyzing reading articles analyzing stock charts like dream investment banker get top analysist three four years analysist showed areas need sharped memory showed easier ways success professional colleagues journey helped reach professional goals time management key learning organized helps get done includes writing filing knowing documents making keep habits learned rest time management key learned get done however learned time get done knew sleeping everyday wasting get hours sleep need going wake earlier get done early like mentioned earlier learned operations bbh reinforced desire company bbh archaic need evolving time keep challenging stepping zone english language timid scared converse like judged upon english helped worked amazing colleagues supported past six months encouraging friendly supervisors offered hand whenever needed constantly affirmed future profession expert connections alongside like hear passion took get direct seems similar going extra mile get working mondrian specifically observe tends retain employees dedicating time employees experts respected jobs future fulfilling valued whatever assume learned every opportunity improve middle decemberded knew currently fulfill future effort forward connections dip professional allowed better future main business spectrum figure wanted rest helped business realm originally considering applying likely going financial similar marchus millichap figuring realized business due advice coworkers figure occupations business likely business likely estate expand business fields better could absolutely tell every single worked marchus millichap cared wanted told get professional involved sports either agent someone business sports involved phone calls coaches agents getting connections helping goals general los angeles lakers allowed intricacies management sports equipment sports college seeing intern allows future need managing future daily tasks expanding understanding future general dream need bottom rise ultimate general need runs since working equipment working towards need aspects running sports example like sales recruitment initially relevant future weeks went starting open pursuing potential starting university working technology meaning software databases knew needed better technology huge business thrives working companies database hesitant could let alone database asking questions guidance database actually editing making beneficial company Marketing technology innovembertion management technology innovembertion management technology current helped confident learning technology asking needed professional capable leader time spent seeking opportunities placed leadership delegation type roles time vette projects including organizing spreadsheets future planning business development graphic design employees vette enabled offering opportunities asked helping problems leadership learned vette eventually professional acreer finance investing properly invest earn save money like earn enough money early worry money get marchied children etc past realistic worked primarchly supply chain company worked raw materials subcomponents manufacturing worked every supply chain shadow finance monetary business getting solid salary per hour sustainable wage growing portfolio investing earned money invest shadow coworkers hand financial company worked director financial planning analysis advice financial analysis predictions already beneficial getting involved company exposed facets business grateful opportunity benefit future however better leader personally satisfied time times direct fellow met physically standpoint learned programs using line professional standpoint better player essential working corporate setting times became better player given fairer self assessment college professional figure wanted several ideas wanted narrow without insights daily lives individuals working careers working business development associate small step figuring type future working company allowed hands variety tasks project everyday every week reach linkedin interested using service learned talk hundred conversation hundred times suit however fne projects guide students introducing recruitment found enjoyed projects could bit creative nonprofit improve lives minority thought realized whatever future objective working earning money soon get tired dull smiling saying thank sense accomplishment appreciation things worth worthwhile trying independent proactive finding solutions future pursuing figure opportunity liked prior thought fits thought majoring accounting taking oping pcdc accounting right figured accounting learned enjoyed operations business time pcdc given tasks search contact vendors supplies needed office opportunity contact clients remind register found joy learning pursuing allowed reach types goals including professional wanted stable applying companies related finance accounting looked seem interesting knew bare minimum insurance auditing company however global indemnity exceeded expectations regarding firsthand business simple keeping rest together starting daily basis setting straight pride tried routine following closely additionally professional luckily supervisor rated highly boss satisfying hear unfortunate could physically office home frequent calls check ins pretty introverted general social capacity interact awkward actively seeking attention grew communication forced outside zone interact employees supervisors managers daily basis communicate fellow human resources assist need asking questions better efficiently soon stepped campus eventually goldman sachs fulfilled passion financial marchets surrounded amazing opportunity alternative investments known certainly helped reach developing thorough understanding portfolio strategy recommend right investments professional university Marketing related developing implementing Marketing strategies increase enrollment office lifelong learning Marketing strategies utilized content creation social media management facebook groups outbound messaging social media profile optimization huge analyzing trends content engagement appointments essential getting professionals enrolled noncredit programs content Marketing analyst community deloitte comcast necessary qualifications skillsets backgrounds coordinate events social media content produce measurable roi skillsets stand candidate firms deloitte comcast professional pandemic better working vector solutions exceeded expectations providing stable working despite barrier professional working till joined vector solutions curious busy schedules corporate taking pandemic ambitious challenging balance financial insecurity family numerous jobs handle closest communicative trying working basically time car dealership thompson lexus total hours plus hours emg sports short term monetary imperative father struggling stage three colon cancer needed available often plate top priority mentally physically drained running satisfy dearest ones reached employer overcome greatest obstacles contributed multitude ideas crossing lexus sports agency bringing clients eagles wr travis fulgham car endorsement sponsorship addition contributed time allotted rather submissive readily available boss needed deserve credit trying employer used intern putting hours drastic us importantly successful prioritize communicate furthermore need balance time efficiently expect employers around schedule need foot establishes trust credibility vehicles toward successful leader business analytics requires analyze performance review dashboards using power bi dashboards contractors monthly dashboards host meeting contractors improve upon company utilities dangerous simply learned dashboards presented contractors however step meeting contractors allowed presentation actually analyze actually classes analyze using formulas formulas software already created classes wanted business analytics given get hands appreciative enjoyed workers whenever went office whenever needed anything encouraged wanted supported wanted might reflects leadership ever since came freshman wanted improve upon leadership communicate effectively efficiently inspire learned insightful lessons improve mentally academically given leadership positions teaching students material leading peers third party events guiding coworkers technological system correctly allowed develop leadership backgrounds ages provides opportunity peer significant sharing future pertains leadership characteristic teaching learned focusing developing leadership allowed areas leader appreciate working parts leadership allows leader efficiently effectively grateful opportunity independence given allowed shine leader showed staying company oftentimes results promoted higher company goals higher investment showed stay dedicated company young lacrosse player probably around years old already director pursuing seeing freedom gives benefits appealing knowing positions couple years college helped achievable company aligns treat employees relaxed fun office times office since interested starting company time working saxbys invest time building connections company individuals interested getting close nick bayer ceo company ties close entrepreneurship knows ceos helped saxbys since led company received sceo superlative likely sceo time business receiving meant direct impact finishing reflect learning working becoming confident general since becoming grasp foundations means partake professional interpersonal conversation professional employees motivated goals like better navigating networking focusing completing professionally learned vital improve greetings professional train working time allowed standards comes fundamental healthy lifestyle lets hand learned preparing fall term things mind like strive towards accomplish discover coming skepton construction expect majoring finance construction spark turns past construction possibility future return wish keep pushing forward mu journey learning interests interested finance intend finance cycle compare industries fitting prominent collaborator regardless direction goes taste working corporate finance relevant prepared strong communicator responsible duties raise concerns members peco available whenever needed created successful teamwork atmosphere hoped addition like belonged meetings could questions countless opportunities prepared collaborate future particular weekly check meetings mentor time designated teach things directly progress project provided working someone essential point get prepared answering making jobs easier indication collaborator opinion easier reaching provided introduction law someday legal wanted learned lawyers generate money going webinars sitting phone calls lawyers showed lawyers useful stay professional advice startup beginning stages largest goals simply satisfied pride received whoever whatever going received regardless thought time went let immediate rejection disagreement discourage reaching satisfies superior main connected main Marketing proposal working time main social media presence instagram presentation boards meetings emails detailed increase outreach interaction following furthermore implemented strategies towards increasing following suggesting ways promote products gathering whilst presenting ideas concept company however simply busy true Marketing women dealt already plate honest understaffed constantly inundated meetings schedules minimal break time project regardless fulfilling conceptualize ideas company pushed like ideas fact tried implement simply could fit yet already busy schedules e commerce time online sales going future convenient time britestar get hand e commerce websites directly interacting got websites pleased got hand instead learning someone else goals short term wise professionally corporate setting setting challenge perform business recently taken advance motivation professional wish higher rank bigger corporate company wish business planning analysis helped collected recorded revised wait utilize trying improve upon entering solve quickly arising problems head came situations issues needed immediately solved situation submit project upcoming deadline several edits unaware enough time calm strategically could quality projects deadline quickly approaching sat brainstormed ways could quickly decembereasing quality found implemented theory successy get business reading prompt came mind communication communication key element every facet business considering finances dependent business conduct billing billing deals lulu country club accounts receivable essential business cash flow objective billing communicating members whose payments tardy talking money quite must remain tactful communicate members financial status daily basis improved communication greatly allowed improve professional jargon confident communicating professional peers clients practice communication essential element business matter takes lack communication room error mistakes arguments understanding communication envelopes properly dealing conflict resolution situations realistically challenges going arise challenges equipped art communication thrive business open communication criticism superiors peers subordinates almost issue easily solved parties involved pride egos aside open willing communicate compromise professional coming financial company expect receive opportunity soon allowed early like could pursuing moving forward since law deals property law helped move toward learning property development either developer practicing property lawyer bulge bracket investment bank investment banking wealth management division goldman sachs helped network individuals networking individuals departments narrow interests gained thorough understanding bank makes unique confident compare contrast banks interviews importance exceeding expectations time suggested implemented operational improvement gained trust respect colleagues individuals offered application time ways classroom setting applying classroom form personally latter former learning classroom prove effective applying learning huge learned couple years learning improve upon introduction get company despite becoming y online stop learning favorite assist johnson johnson vaccine trial facilitated rutgers institute translational medicine science employer opportunity goes planning carrying trial magnitude contributing worked including doctoberrs faculty creating reports analyses structurally supported eased example contributions coordinating groups schedules university sites helped transparency doctoberrs employees schedules designed maintained microsoft excel tool track temp employees weekly hours calculate payments communication time management analytics developed working rutgers institute translational medicine science guide future working clinical trial allowed acquire understanding scale projects gained knowing contribute global term grateful opportunity excited future goals figure helped kind leader someone cares employees willing shown health insurance older estate boss peaked estate valued fact necessarily saw came open mind open mind advantage vulnerable learning process challenged critical thinking asked questions volunteered outside zone spoke every company careers visited sites office locations spoke whenever could add turner offered creative freedom platform share ideas construction ideas company open minded perspective years business unit seen since coming open mind helped quickly encountered success better perspective behind taking company necessarily familiar line challenged daily given pushed critically lessons learned six months pushed learning realm business farther coursework prepared return classroom second turner better understanding direction thanks open mind ultimately buy private equity growth equity venture capital introduction helped term working organized daily responsibilities working keeping track worked documenting daily processes keep notes files organized since worked closely worked documentation kept clear organized essential success professional constantly looking methods improved existing created ones looking forward implementing daily knew need figure time future wanted avenue college switched sports business certain matter sports variety experiences social media content planning posting live highlights apart athletics possibly greatest basketball ever seen forget experiences inspired sports organizational schedule report needed sometimes days week sometimes times places charge remembering times places helped practice organizational carried carry going professional limit learning solely based mean wanted professional social areas whilst solely finance yes decembernt accounting finance whilst tti stated answers worked fields including finance accounting sales worked teams project management creating projects together beneficial strengthen areas going college strengthened areas beneficial grateful strengthened social environments already working difficult projects figure together efficiently online classroom settings return classes fall winter terms satisfied whilst finding fortunate get small private easier time asking questions since overwhelming busy periods open answering questions helped proactive ongoing realized lots reason nervous asking paths ended pcom gaining accounting workers primarchly worked hospitals came pcom hospital accounting edge since pcom ran clinic floor building worked advised keep helped solidify decembersion trying public accounting working introduction accounting bigger challenge classes hospitals told textbooks financial reporting since segment accounting primarchly worked structure learned helped proactive professional learning figuring topics like helped progress toward specifically exposed positions exposed responsibilities gaugust interested roles like explore future main except money longer term companies years rather spend years company exploring positions making sustainable relationships main members get meetings conversations company helped progress towards tremendously hear positions company thought existed time comcast sorry nothing related goals created summer custom design revolves around collective action Marketing social justice explore ways business systemically equitable player surrounding ecosystems community rec showed viable sky limit giving grants black artists philadelphia black music city simply getting creatives paid type crucial economy strive personally professionally develop type sports like step learning business sports pursuing mastering excel opportunity excel sheet excel sheet everyday excel working awhile mis classes attended workshops watched videos online excel need mis got helped analyze organize current since added minor engineering gained genuine sourcing atain supply chain er understanding personally opportunity learned things entertainment particular general experiential Marketing given variety experiences things actually interested experiential Marketing entertainment surrounded excellent peers mentors office boring repetitive learned working entertainment project finish aspects making project successful tale clients needs mention addition aspects project thinking staying game things thrown stress crunch time situation addition fulfilling interesting future professional possibly future understanding entertainment got honestly insightful perspective searching general future professional six months cozen ofconnor given friends tough interacting basis looking going process need pace scenery however cozen presented knew opportunity could pass related kinds goals adapt necessarily making six months regretted fact office purpose goals include adaptable things control fell category every financial enter everyday cool saw went finance company basis financial systems entered systems succeed hoping hands financial concepts working directly aspects finance emotions completing online peers coworkers adjusting system obviously covid could done solve problem however main assisted resources needed tasks better understanding served starting foundation wanted professional future chubb answer ahead coops standpoint maintain gpa prospect employers faith standing professional since undergraduate journey strengths lie satisfy going forward opportunity explore accounting potential given professional setting strengths weaknesses concluded accounting time going forward however business learned accounting heavily connected finance adding accounting minor depending schedule learned require diverse allows open communication found vanguard lastly learned strengths lie communication opportunities meetings problem solve employees thus future must require strong communication culture must finance accounting accomplishing professional exploring investment management financial planning industries since starting passionate professional matters lost loved simply enjoyed around enjoyed primarchly finance starting dove realized passionate flexibility control sge helped wanted finance aspects wanted someone enjoys analytics financial analysis projects simply sitting meetings asking colleagues include projects colleagues nice enough teach concepts financial analysis professional standpoint helped figure wanted standpoint helped types classes wanted clubs wanted apart standpoint satisfying finally found enjoyed knew wanted analytical prefer open relaxed like sge micromanagement tap creative get done helped growth twenty years old live parents took jersey spent summer living working professional learned things developed relationships professional communicate better developed social around professionals opportunity join workforce early age allowed corporate functions companies operate business getting opportunity early addition gives future coops gotten corporate get banking institution future compare coops figure fit reflect time working time addition given opportunity network professionals get better understanding academically professionally successful example questions surrounding knowledgeable finance getting talk allowed experiences got today mentioned biggest takeaway given finance post grad figure finance related professional goals working met extraordinary lots tips future colleges accounting mom controller yale means head accountant benefits working college working thought leaning towards college future college defiantly need becoming familiar challenges vaguely familiar common problems deals company expansionary phase tackles challenges software company kredit allowed business company Marketing unique intermediary prepared terms opportunity nlp models working boathouse improved interact customers coworkers optimal satisfactory working found lack personable critical sharpen described accountant personality standing apart communication future jobs relationships beyond individually successful businesswoman allowed succeed towards goals accomplish tasks individual pursuing contribute towards bettering company writing communicating refelects larger explain complex financial arguments every week responsible compiling current events surrounding marchets economy brainstorm investment strategy insights write send clients media week drafted least sometimes three sections writing performed undoubtedly better writer compared finish saw significant improvements going forward utilize variety environments goals mind primarchly cpa backup careers fall accountant budget analyst financial accountant staff accountant guarantee positions general developing working office settings third involves gaining general computer microsoft excel powerpoint programs business company helped receive hand working office requires patience tasks exciting spontaneous practical education require hustle ambition utilized dedication tasks tools excel introduced business applications equipment companies sellers holiday seasons get hectic tedious business smoothly necessarily accounting learned accounting courses jargon better like accounts payable operations analysis perhaps learned future courses better yet step closer achieving finding main allowed step analyze relationships management hierarchy someone taken away easy forget human makes mistakes production supervisors managers seen easily throw blame yell get upset without seeing actual problem seen managers dismiss beneath going okay assemblers shocked ever done asked dumbfounded assemblers worked years helped twice talked professional entrepreneurship since company worked smaller scale participate insides business managed witness company financial ran management programs company used process price proposal personally might pursuit construction ideas behind adjusted implemented fields future perhaps business future professional notes business successful elements example process company profit entire management cash flow key aspects successful business however rare fortunate participate firsthand advantage makes business profitable lasting opinion entirely goals personally academically professionally hoping improve leadership effective strengthening decembersions calls based judgement sense essentially got worked digital Marketing however hand like wanted far goes non profit completely hate nonprofit companies interested pursuing aim digital Marketing traditional profit company hoping coops profit companies regular time positions addition receive effective training coops employees worked eca respond emails like enterprise time could legitimate professional future contain professional digital Marketing elements mining Marketing analytics google analytics etc transfer education goals open nonprofit allowed nonprofit organizations function funding sponsors working glenmede found contributing development professionalism interpersonal introvert communication hindrance informal formal settings grown increasingly aware significance actively improving communication tend toward activities involve interpersonal interaction delighted accounting interesting realm number cruncher like safe excuse get zone accountants stereotyped behind scenes contributes substantially process simply need faces carried mentality realized stereotype far correct nature require communication indispensable element almost went became communicate effectively via computer screens international decembernt proficiency english slight trouble communicating managers however thanks helpfulness friendliness free questions clarification encountered unfamiliar problems learned without effort communicate effectively better impact mindset carry future introvert talk questions key professional development business entering wanted broadend network y succeeded challenged reach higher ups company asked experiences appreciated ambitions willingness turn given future helped figure direction lean towards terms helped get small Marketing business looks like wanted decemberde could time concluded get Marketing included topics branding advertising enjoyed get somewhat hint could near future goals purpose step closer making ultimate decembersion professionally expect anything super since professional wanted mainly learning ease learning like desk like working corporate lucky fortunate time glenmede getting posed questions considering beforehand corporate hr could working future working financial institution could foreseeable future might answers questions begun lately pertain professional development spend remaining time years main aspects chose hr could foresee future could hear invaluable comes time attained improved upon hoping develop bettering communication verbal written online etc adapt situations managing time efficiently learning organized could better taking understanding mindset someone working talent acquisition learning professional analyze potential candidates resumes universal learned could situation distribution expand learning distribution planning logistics behind explains processes planning makes effective distribution flow interesting since operations supply chain management helped daily tasks goals time solid like future perfect allows explore interests paths years going law undergraduate studies policy law compliance services solidified interests going law provided opportunity compliance law university policy interact office gone law get advice hear peoples hand experiences often assigned policies conflict fraud waste abuse ferpa hipaa state authorizations assist editing university trainings based policies found interesting engaging appreciated compliance context educational institution rather corporate corporate enjoyed compliance handled institution learning confident law prepared contribute goals professional goals communication improved fortunate enough interact individuals types settings speaking usual subcontractor communicating wonderful clients thorough communication easy allows deeper accounting finance future accounting finance classes learned classes Marketing sports business fanatics opportunity majors companies Marketing emails backend promotional banners learned planned scheduled fanatics connections opportunities often opportunity company weekly mugs meetups chat someone formerly intern time chats questions goals eventually time network office went phillies game worked daily basis opportunity face name getting eventually like either sports league individual confident connections greatly future goals reach anyone willing cycle sudden looking positions started closing defiantly disadvantage compared students preparing found could college impress employer example future students ever desired peruse costco got managers supervisors hand known goes making schedule accommodates employees requests making coverage shifts constantly pursing leaving impression professional aspire youngest learning departments showed managers flexibility tasks quickly accurately lasting impression managers impressed offering soon cycle started knowing lasting march could successful search future knowing goals finance accomplished looking sharpen areas knwoledge liked office setting began search hoping rather y like office schedule hours taste like office meeting working fellow workers allowed advice meeting workers interns networking like networking building relations virtual difficult liked live office achieved taking neve helped figure things future went mindset exploring came realizing trying reach utilize creative business considering switching Marketing creativity key employer allowed creativity brainstorm website unique photographs exciting social media posts boss encouraged explore creative almost free range creating image socials website lucky enough opportunity realized wanted future encompasses writing business excited leads future thankful showing pursuing time earth going living rest singularly focused passion takes precedence wish clearest walk away better understanding might like ended time confidently pursuing center future natural aptitude right imagine fits needs hopey soon remember leverage primarch reason chose get several working experiences resume navigate types employees working environments tune relevant past six months variety helps develop rounded skillset pay enter workforce college prior looking pandemic challenging things might need willing adapt gained perspective resiliency searching upset things going took step lives millions unemployed struggling families despite continued search jobs opportunities beginning employment overwhelmed responsibilities mistakes tried analyze wrong learned built enough things perfectly importance knowing move better grateful helped strengthen network international programs partnerships gained understanding complex aspects higher education professionally academically plant deeper roots underclassman working towards goals globally minded citizen office global engagement perfect worked workers projects partnerships abroad worked easily accessible students prompted adjust planning incorporate global experiences time utilizing intensive courses abroad maybe oping abroad network university could imagined expressing interests supervisor connect resources helped expand pivot goals making newsletter interviewed faculty members accomplishments connect decembersions got putting together annual report accomplishments reading dissecting working engaging easy digest resources passionate professionals connect learned inspired time simply brought amazing programs offerings attention showed effectively sell products train learned recognize audiences cater wants needs importantly learned practiced leading training moving opportunity teach office train professional strive leader wanted business need properly train thanks better prepared future received c round week packed belongings move college park md prestigious aerospace engineering company called genesis engineering solutions considered among brightest minds ever connected astonishing stone birds aligned true goals pushed forward personally academically professionally greatest afforded move state live pursuing goals however price marchland freedom every everyday surrounded friends sometimes lose sense self clarity true goals academically forced uncomfortable everyday consistent supply vendors limited time billing every far busiest personnel must double check nearly every line exact amounts professionally clearly huge jump went working public works trashman working incredible genius company revolutionizing aerospace eyes potential opportunities wait explore goals sustainability got develop topic business engineering going classes learned move forward sustainable green future goals personally better roles sustainability allows narrow company livent clearly goals forefront company learned livent community company livent healthy welcoming allowed supportive like minded setting better company productivity main aspects companies align goals classes sustainability forefront tied old ways engineering systems reach departments helped significantly learning particular past months connections ugi employees involved digital Marketing environmental sustainability customer relations legal issues brief yet effective meetings helped better understanding variety fields available ugi search completed necessarily tied future completed useful nonetheless communication listening attention detail relying need matter wise apparent every time ugi learned managing projects specifically managing ugi currently going changes watching changes unfold mission eye opening despite pushbacks obstacles project management continues hold meetings effectively communicate plans overcome challenges realizing goes project despite piping underground completed gives entirely appreciation utility construction workers realizing accountable responsible tasks smoothly managing effectively adapting alterations relevant management company need observe supervisors wanted better understanding feels extreme example better perspective general university secure manufacton helped future freshman intro classes brushed surface Marketing time manufacton saw startup lose sales obtain deals get acquired dsi digital offered bumpy road companies however pushed closer received around hubspot crm tools aspiring Marketing professional overstated learning hubspot going time manufacton decembersions activities crm without makes difficult perform tracking customers sending emails closing deals hubspot utilized tasks manufacton leverage learned going seamlessly join hubspot helped Marketing decembersions compete peers going second goals improve public speaking done exposing customer interactions networking thid general assistant mainly supported helped tasks main professional goals enhance verbal communication professional beginning afraid answer phone fear answering inquiry wrong nervous communicating executive hr employees however confident professional setting enhancing verbal communication like public speaking beginning uncertain wanted unique fell areas interests organizational management college sports sometimes bored working college setting added sports management kept organizational management completed grateful allowed enhance core beneficial later working understanding chain communication started biomedical engineering switched started pushed zone classroom business adapt quickly said round works succeeded meant business development helps narrow downsome paths post got office topics strategies classroom personally applying professional collaborate coworkers office questions office office limited tv movies occasional visit dad works however changed allowed hand coworkers interact happens workday terms meetings things working employer office corporate setting allowed ultimate vision securing time enjoyed setting meetings workers employers discuss action budgets spreadsheets soaked learning essential lesson communication patience found tempo adjusted schedules proud towards Marketing better candidate institution primarchly focused supporting poc sponsoring charities organizations events geared towards supporting outside giving community beyond efficient without losing integrity quality done process operations incur less expenses offer quality products prior becoming efficient used six months merck analysis proving cost based decembersions proof numbers improve process daily tasks projects came experienced knew little expressed knew little Marketing business wish better understanding prominent business today society understood social media extend accounts noticed applying management decemberded Marketing ones entering Marketing interviews realized little knew expressed curiosity supervisor given amazing opportunity social media accounts recreation center eager express ideas thrown guard supervisors workers trusted extent running accounts past asked stay classes keep accounts date shifts given huge responsibility appreciated constantly reassured responsibility amazing feeling professional passionate working victrex perspective grateful showed types motivate giving better understanding eventually get got plastics interesting keep coming forward helped wider view industries business business sectors could thorough candidate employers thank victrex taking allowing ton sectors aerospace automotive electronic energy industrial medical aerospace electronic medical sectors interesting seeing direct applications plastics helping sell iphone speakers prosthetics e cigarettes started giving sense functionality business system actually together ultimately used thus giving passion useful professional seeked experiencing corporate setting allowed couple months corporate cigna corporation y accounting finance placed securities exchange commission sec cigna could get accounting looking obtain corporate example biweekly meetings showed needs prepared questions concerns document process completed meetings held reason busy second schedule meeting listen question concern writing professional emails toned corporate significant takeaway managers corporate setting government filing oriented like sec tough managers demanding came deadlines flawlessness wanted tasks submitted clear record authors corresponding proofs instance learned initials enough serve clear acknowledgment author document left initials working time became norm crunch times like post ledger lock whenever quarter ended learned working hours normal corporate accounting rude comments reduce corporate stress planning business analytics analyst worked google sheets ended realized like analyzing spreadsheets professional finance im exactly yet im learning like dont like related company global indemnity allowed exposed realms finance working months straight things time knowing exactly finance allowed helped figure like dont like directly related deals analysis started star scholars project worked census got taste perform analysis sparked bit hire almost direct result star project ibx specifically health care learned analytical perspective need perform analysis working helped boost qualitative analytical eventually economics possibly lab economics analysis economics need analytical later studying intricacies law goals liked let hand small business like since online owner excel direction running company goals working investment management macquarie exactly created connections macquarie company travel since macquarie internationally based company working travel learning excel softwares forced adept excel confident abilities asked software called power bi time learned add resume interested possibly working pharmaceutical Marketing degree exposing instructional helped professional goals fact given autonomy responsibility goals professional managing project since uncommon responsibility pandemic effect get afsc supervisors pursuit accomplishing goals time afsc encouraged voice interests goals could better align future project worked time creating grants unit service center project opportunity design website thought managing project learned project communication coordination gather suggestions supervisors grant officers time coordinating fellow figure split creative ideas project project ends deliverableworking recordtrak lucky enough office got small like office get past jobs short term narrow choices specify going got things got small sample like accountant got enjoyed tasks like get kind step choosing decemberded decemberare experiences got narrow choices eventually decemberde rest accounting top choices going allows reflect time working gives like choosing accounting loans like small company prior loans personally loans like lack crucial since future likely loans reasons picked casl wanted applying bringing achieved intention learning loans knowledgeable wanted operations since clear sense future like continuing future college invested learned step finding like business main fall winter testing waters operations Marketing firsthand like fall winter helped distinguish desires working teams found working communicating helped narrow choices interested finance potential previously told finance sometimes bit lonely solo repetition finance accounting essential business success dedicating studies thinking influenced classes signed spring getting close finding business passion going c round accepting unpaid knew getting paid like getting paid maintain ethic beat students secure paid time achieved get paid time actively classes building incredibly business vette opportunity deliver connections senior staff connected specifically philadelphia incredible connections getting leaders potential open shocking doors making connections getting practice friendly mistakes building vette friendly pursuing finance international business working international makes easier professional increasing nutrition access quality food similar mission promote food access garden programming privileged citizens helped time entering expect c round unpaid came experiences accounting besides took spring term helped type financial accounting goes non profit human resources Marketing documentation proposal letters mous non profit fundraise thousands dollars events coming helped develop professional connections programming excel prior wanted improve networking future helped networking main tasks contact linkedin required email months contacted around went around connections linkedin contact via email network contact several hold positions professional upon graduating get finance working cigna contributed firstly stay philadelphia graduating could potentially philadelphia office company offices pennsylvania delaware options cigna working healthcare could healthcare companies created relationships coworkers get offering recommendation chose accounting finance wide array jobs could working cigna exposed accounts payable exposed departments contracting teams suppliers prepares working teams lastly navigate software programs sap ariba oracle working cigna prepared working wanted toward matter received communicator communication key business law due public talking done time alston construction grew communicator speaker ever communicate professional manor beneficial moving forward young professional develop least stream passive income estate time learned aspects comingling departments managing estate peak efficiency communication hardest barrier overcome reason types issues language barrier workers spoke english struggle step step pretty like little kid difficult hand management watched said controlled rating disrespected suck watch words carey lose lose situation workers better managers shame company supposed get promoted company horrible human cant stand presents company sad reality company experiences terms understanding company raises money investments creates deals clients inevitably earn cash flow understanding financial model revenue prediction model cost analysis number clients load increased related exploring giving hands business technology professional get understanding future exploratory taking classes knowing wanted break thoughts joining fund working Marketing helped like business aspects time pick wanted could expand likeness business came across events got aspects working sponsorship Marketing public relations teams aspects business networking professional goals opinion deep network advise beneficial connections relationships deepen network accomplished training sessions superiors asking advice clarifications participating professional casual events maintaining contact outside ultimate lawyer focusing social justice initiative plse door clients poverty line free expungement pardon services working plse actually got publish report injustice cost fees court system shared treasurer pennsylvania report found sites nationwide awesome actually improve system got organizations philly outside philly working initiative plse mission statement objective non profit aligns perfectly values learning criminal justice system legal procedures future thankful opportunity plse worth got meaningful fulfilling exactly wanted could found better fit right comes professional goals main company get finance meaningful international company multinational corporation recognized country allows employed anywhere furthermore experiencing finance crucial could envision enjoying lastly impactful priority content knowing actually helping company progress delighted objectives draeger medical systems inc draeger global company offices countries home country india knew working decembersion interviewing discussing knew learning proven true weeks intensive training aware finance accounting terminologies report generation processes went teach excel models useful current enter time analyst moreover helped accomplish meaningful giving opportunity directly cfo detailed expense analysis hr legal departments presented findings revamp company allocates budget like perfect kick united states reimplemented ambition switched challenging aware bad aspects allowed flaws improve wanted better time management forced efficient time opportunity design alongside Marketing responsibilities allowed explore workspace expand move quarters goals thus helped professionally design social squares email campaigns events allowed utilize learned classes took minor interactive digital media creative freedom getting constructive criticism professionals helped marcheter allowed idm minor goals allowed adapt business setting supervisors workers supportive allowed step realm business allowed aspects Marketing assigned Marketing process pursuing Marketing however wanted helped parts parts need improvement Marketing broad learned differences corporate Marketing versus consumer Marketing better like top positions Marketing bottom opportunity boss willing teach expecting things done finances taxes attended classes related personally communications better time management professional utilize kind money favorable certainly shows matter money showing makes happiest easiest related future goals certain aspects workforce allowed control orders materials making meaningful suggestions outside contractors materials taken brought later sense control input decembersion making larger scale fact extreme free time allowed passions outside newfound time decemberded open business old bottles bar upcycle waterpipes selling online entreprenurial expereinces hopey buisneses fail businesses successful failures doesnt goals going better professional writing emails messages head professional send linked messages connect send emails organizations follow practice writing supervisor us outline used send emails messages add little blurb company time went got used sending write entire message professional writing normal writing automatically send professional looking messages type brain used sort moves fingers met future employment future search accepted curious planning wanted possibly like planning overlaps things Marketing like getting word creating Marketing materials etc developed relevant professional communication desired like Marketing quite entails specifically gained professional Marketing strategies positions Marketing could offer difference branches broader Marketing example c editorial project management strategy design videography events user social media branches supervisor depth wanted y branches communicate process creation review delivery moving parts successful working Marketing goals areas business given opportunity little Marketing company determine values Marketing like needs customers figure portray attract target audience difficulties business understood adapt challenges could came foreseen unforeseen ones coming open opportunities second business imperative introduced realms business interests strong suits shaping future finance technology realm business progressed started type financial documents processes navigate applications websites conduct outside hours understanding questions asking questions needed could hurt incorrect result exactly met conversations realized choices thought could terms academics need improve studying get cfa certification soon get time need join professional broaden network vette brought light desire form Marketing process learned aspects Marketing intriguing company learned vette Marketing flexible case alone answer chose Marketing majors Marketing every scenario learned learned trial error strategy could missing bigger picture showed Marketing time professional goals accomplish include improving professionalism corporate addition ultimately obtaining decembernt time offer pcs retirement operations analyst got hands like juneor associate company exciting corproate worked project management directly several workers completing projects daily processings got finance specifically retirement received advice learned diversity inclusion pretty tasks manual based feedback listed several suggestions better cycle guidelines interactions ways better culture goals learned improved professional mannerisms gained daily interactions coworkers maintaining relations pcs coworkers feedback form told pretty optimistic future time openings pcs helped navigate professional goals helped figured strengths weaknesses lie areas passionate helped effective communicator helped vocal issues weakness working faculty staff available succeed opportunity small studies paper improve Marketing collegiate professional original front office national football league hoped connections however like exploring areas sports areas sports entertainment piqued exploring avenues finding company working opportunities limit showed reality finance company like goldman sachs reaffirmed beliefs capable thought confirmed rumors surrounding culture hours decemberde experienced grateful opportunity wanted related finance business analytics learning wanted professional setting helped better professional works helped clarify future earn accounting degree certified public accountant cpa reinforced surrounded cpas graduated inspiring opportunity audits auditing considering actually contribute audits peaked audit got involved ensuring travel entertainment expense reimbursements company section officers compliance established corporate policies procedures test review expense reports verify numbers receipts matched expenses reasonable loved analyzing little details closely vice president internal audit reporting exceptions audit got things compared analyzed user access listings sox applications recognize deltas confirm sufficient management approval prior access provisioned favorite audits got analytical communication genuine audits opportunity independently drives cpa future maybe auditing business found get startup helped professionally showed business goes fundraising communications pitch meeting helped type professional culture computer softwares line came liked sound leaving classroom half gaining chose finance family members business money add things resume allows trial studying someone passion future understood investment business tenfold gained respect advisors service future stress free retirement invaluable learned like found investment business suited brain governmental influence bureaucracy frustrated time thought business limiting freedom strive business grateful test careers setting road joy fulfillment requires hours week educational kind caring found physically mentally exhausting season stress future prefer setting control stress advocate health like balance succeed readily helped discover equity equity valuation trading combined science ideas follow intersection finance technology currently aiming quantitative analyst positions furthermore grown professional network thanks colleagues nice willing training taste harsh invaluable lesson past six months open innovembertion get used meeting exceptional students yet lanham marchland like interesting blinded norm needed fueled fire keep pushing box thoughts solutions self growth working platform distribute intellectual perfect self realization getting foreign boring allowed discover mental stimulation without found inherently angrier passion mind lacks intellectual stimulation learned corporate company functions health care united states works top view opportunity listen calls members better sense legislative changes need better serve public learning healthcare company took time function complex system learned simple terms like benefits deductibles network benefits pays addition learned center operates collected better customer service demands center constantly changing applications servers layouts customer portal every time issue constantly changing action depth takes startup business efficiently organize witness hand realized interested working startup goals professional like professional virtual today keys success attend meetings employer ect impressions like employing later like time helped got meetings frequent contact date boss learned software things elsewhere stepping stone corporate future investment banking exposed pharma gives diversity finance obtain meaningful learned reporting systems analysis based gathered given opportunity improve public speaking presenting business partners allowed obtain majority need opportunity hay past months opportunity reflect analyst time balanced analytical interaction opportunity interact clients coherently communicating opportunity analyze clients provided march errors suggesting edits leveraged excel review records documents obtain analyze match appropriate title helped hone excel learned thoroughly enjoyed aligned majoring business analytics analyst helped working company like tailored beginner helped network contact future thought connections networking working opportunities otherwise available impression remember met helped figures keep electricity philadelphia running get friendly future professional pursuing attending webinars venture studios actually interested pursuing venture studios attend meeting greatly beneficial helped realized like accounting living education get accounting law accounting profession programs used programs like quickbooks proseries familiarity early progress quicker problem solving fixing discrepancies attack certain challenges classroom setting angle looking problems thankful got opportunity existed offer worked workers students willing meaningful professional knew wanted time effort positive impact working community center visitation brought closer working utilize company knowing heartedly cause knowing greater kept going burnt unmotivated exposed injustices seen taken learned problems every action counts pursuing fix problems appropriately helped community needed gives purpose pursuing education gives greater purpose company drive morals return time newfound spirit positively impact site ii personally loved physical labor top get top wanting masters degree Marketing management amazing showed company fail succeed business learned habits aspirations moving forward features like microsoft excel accomplish used microsoft excel components used sales invoices customers charts keeping track things got tools learned classes like advantage already knew tools business tools terms could legitimate hours week wanted test wondering looks like time heard stories hours goldman sachs evercore etc might like guess validation could months might case things enjoying directly ties professional goals future example realized working private banking space gives ample opportunity focused taking initiatives solve maximize efficiency furthermore working experienced peers plenty proficiency adventure altogether developed technical created meaningful professionally example teamwork hands approach example teamwork basis attended calls clients alongside trust admin beneficial get regarding things need get done distinction regarding money movements example needs pay bills distributions monthly payments setup recurring payments things daily payments get read trust agreements states trust projects like innovembertion project streamlining changing aspects private assets efficient came ideas demonstrates gratitude ideas approaches variety ways direct impact since worked backoffice got goes behind scenes office simple written documents database sent correct correct allowed reach going meets eye professional workforce requires time patience trial error prepared progressed biggest difficulties get flustered completely tend leads shut sort biggest years left accepting challenges tackling head rather shying away responsibilities struggled progress succeed difficult settings dedicate time towards learning giving eventually pick open peers supervisors troubles assignments learned difference asking asking things need improve tried assignments asking growth years left goals choosing identify careers future identify careers little professional strong Marketing public relations result pr director middle eastern north african club searching mainly looking Marketing positions considering opportunities c round found right fit someone referred septemberora told nervous human resources business considered choice went anyway weeks started learning recruiting hiring process got inside happens process interviews summer interesting happens things leap faith took accepted septemberora offer helped professional better sense kind professional interested kind company culture fit prior Marketing associate revel nail improve communication lackluster looking improve aspects professional integrated gradually encouraged positions communicate peers ideas promotions line assigned lengths unaware constantly meetings daily treat rather intern college respected colleague allowed develop communication spoken asked soon realized comfortability familiar meeting groups communication significant Marketing looking improve utilize revel nail deal diverse grateful building forever navigate corporate networking reputation professional hardworking pursuing classes extra curricular activities amazing office virtually coming expectations since basis comparison simply wanted mind fulfilled working teams technology accounting business development etc aspects company need resume family members mates connections instead soley relying application process b c rounds chose athlete sports however video taping boring lively showed need initiative get shown immense actually enjoying comcast hosted based panels discussions employees attend ultimately advance panel discussion ended short networking conversation higher employees discussions mentor allowed network variety roles across company met created variety beneficial connections networking meetings easy fun join strived fact introduction walk away strong least initiative like explore Marketing building connections huge advance networking opportunities aspects business thoroughly explore opens eyes roles industries prominent areas known beforehand open company future dedicated meeting innovembertive technology space tools reach comcast employees tend extensive backgrounds constantly immersing technology initiatives inspiring motivated explore clubs programs volunteer opportunities etc comcast increasing connections understanding became involved senior community became aware analyst future quantifying things looking points importantly analyzing started working collect worked building models discussed extensively time results front us meant relevant meeting expectations thoughts analyze things fulfill demands becoming analyst advice accordingly helped developed technical using right software used exact deliverable working tap every opportunity get found launched strong entering limited almost business supervisors clear hire stronger candidate jobs future wanted right future rather settling whichever get found given right insurance finance realm macro sense xl insurance provides clarity sum money business transaction professional goals aligned amazing time implementing creative business absolutely allowed exercise aspects interests entrepreneurial added tremendous early journey guidance solidifying Marketing felid Marketing strategy acumen grateful learning working amazon second small step achieving gaining e commerce online business decemberpro learning e commerce sites amazon ebay etsy walmarch decemberpro amazon focused amazon metrics sfp seller fulfilled prime premium shipping eligibility negative feedback negative reviews voice customer chargeback claims amazon listings addition handle customer service tasks including working challenging customers creating detailed plans fix problems key goals deal challenging experiences explore opportunities self improve daily basis deal challenging customers instance decemberprofs sellers challenging several reasons email times discuss customers addition detailed customers like contact credit card needed orders furthermore get complicated challenge pricing items ordered situation learned breakdown customers efficiently orders septemberrately discussing pricing offer customers pricing already low enough customers similar challenges working workers decemberpro serval confrontations employer instance beginning originally hired advertising Marketing amazon however decemberpro hired third party Marketing advertising agency Marketing confronted owner told got mid term report meeting discussed projects training Marketing meeting boss Marketing related projects conclusion assertive strong standing need professional personable understanding allowed story upbringing needs allowed companionate understanding need things versatility biggest obtain goals going better verbal communication public speaking classes tend keep opinions anxious assigned presentation time jacobs given opportunities expand upon presenting schoolers philadelphia region mental health resources sourcing jobs presenting panel judges jacobs employees learned working teams boston york assignments allowed zone critical thinking Marketing vision judgment goals moment marcheter need products Marketing effective asking questions consequence better training sessions optimize users satisfies essential needs customers capture mentality customers produce content hits weaknesses grab attention need improve vision consumer psychology logically right decembersions embracing digital Marketing trends understanding target audience better future learned things Marketing intensive classes following terms surely add background needed future term philosophy desirable classes addition majors form logical thinking everyday goals going bigger bridge struggled opening useful bridge allowed deeper meaningful connections better understanding running non profit learning quantify effectiveness setting sustain dialogue general legacy bridge essential puts perspective navigate future appealed professional communicating effectively situation increasing network talk alum stakeholders appreciated input enough connect learning attitude willing accept learning tasks helped professional getting closer becoming cpa trying asking cpa motivate get closer goals allowed specifically operations tasks behind individual investment retirement finance investor wanted behind scenes process requests transactions pertaining investment retirement operations analyst pcs retirement gained entered operations company software utilized track movement money interactions operations divisions investment company included processing enrollment forms verifying customer check status disbursing funds investment asset reaching company representatives frequently verify request details resolve kinds issues furthermore since learned digitally opposite east coast worked nyc worked tampa fl balancing daily tasks training months reached figuring behind scenes involved processing customer investment requests steps needed ensure timely accurate service solutions driven approach company showed technicalities behind investment finance giving rapidly digital working remotely working hurdles presented working finance specifically equity ever finance lucky enough equity working pursuing similar graduating known system given interested working gained settings communication time management sales goals worked effectively together goals better structure disciplined whatever college upper darby district instilled sense discipline wake early morning ready whatever going realized everybody boss someone answer resulted smooth running working closely boss oversees departments learned human dynamics figure kind future time corporate setting appreciated corporate setting structure professionalism right fit future endeavors working setting months seek less buttoned thankful peco giving takeaway providing realization faced unprofessional treatment employer like fashion however exactly certain unfair treatment anybody stand anything relevant concentration beginning aeon motor assigned flagship stores salesman nervous confused since expected description instructions given performing weeks soon realized salesman easy expected basically smallest details products solving problems customers salesman requires importantly healthy mind keeps sharp communicating customers stay composed dealing difficult months simply interacting customers communications improved drastically frontline company representing aeon motor adjust front types customers stay composed facing situations conversation customers expected improving communication goals wish improve opportunity working outside classroom decemberded attend allowed basic fundamentals every business sales owning mastering selling confident communicate talk things ever general related prior therefore learning get business thrown familiarity expertise scary nervous completely apart mentored supervisor learning read documents business struggles learned things getting business adult general basics business anything helps develop higher makes easier pinpoint questions needed meetings supervisor agents business partners get kinds passed meetings communicate professional got simpler tasks thrown super professional tasks allows supervisor mentored veeva gives opportunity veeva serves vital today innovembertive cloud software company supports sciences companies fields hold directly pharmaceutical manufacturers indirectly helping consumers powerful pleasantly surprised details planning organizers took scheduling training system students seen companies interviewed tell veeva systems cares employees serves purpose today veeva given opportunity programs quickly professional online communication excellent time management beginning college wanted small business goals eventually working family business gaining main reasons took little bit tasks involved business starting business given essentially got projects ranging Marketing finance appreciation goes getting business running reinforced wanting business wanted small business atmosphere need improve network professionals allowed opportunity vendors clients capitalize opportunities could moving forward wanted energy communication taking courses attending networking events helped get taste going like list need success search universities chose certain professional goals right main expand network base relationship colleagues participating amazing got glimpse future accounting profession working every cases incredibly got things classroom opportunity network later might colleagues bosses since tried impression assigned project finish every project early questions needed punctual offer additional available expand network impression possibility working glenmede maybe efforts paid glenmede offered stay aprill helped like working accounting helped networking creating possibility working future professional gaining aspects business together successful aspects include sales finance Marketing business development related conducting included finding statistics online working send surveys better company needs shown essential improve business incentive company showed business could improve furthered clients found used investor pitch decembers potential investors used Marketing materials articles discussed potential clients company beneficial example statistics average time hire compared greatly reduced time hire company using vette software therefore seeing helped aspects business getting closer learning businesses least variety areas Marketing communications brand management public relations strategy actually interests future perfect opportunity expect comast company talk areas contribute projects teams main grounded acquisition Marketing strategy assisted teams including brand Marketing variety projects allowed figure likes dislikes areas assisted quantitative helped surveys created reports findings talk employees qualitative learned interesting future hand worked couple projects communications brand Marketing found interesting participate briefings partner agencies agency working Marketing pr agency time Marketing plethora aspects related professional goals alike currently excited pursuing get abilities utilize experiences wider base surrounding ways Marketing strategies positively benefit business luckily time par given multitude opportunities sitting executive meetings creating tracking success Marketing materials interacting potential clients every provided lesson working Marketing like lesson beneficial exciting related goals pursuing professional working company involved corporate america achieved brandywine realty trust adhered standards corporate america holds inner workings commercial estate brandywine realty trust estate investment trust reit indirect method estate investments upon concluding rudidarty commercial estate develop presentation estate specifically commercial estate finance executive officer like achieved professional investments directly indirectly worked investments time accounting investments allowed step banking finance banking broad might interested retail commercial banking probably interested investment banking allowed places like helped adult like helped security anxious plagued thought getting branch told ever wanted company reach expect approach hired zero slight disadvantage getting company previously fortunately right door got offer due lack needed trained security communication constant communication coworkers started online needed get zone reach asking needed fortunately coworkers understanding situation helped every acquiring security future endeavors trial error began topic worked performance fortunate enough receive offer time extending understanding security begin daily began communication determination driving force allowed goals working chubb hopey rise rankings company continuing limits professional impacted gaining fortune company corporation employees chaotic times point professional public company moving pieces constant enjoyable like learning getting involved things furthermore got opportunity closely director payments kelly senior management members final project guidance mentorship absolutely invaluable grateful connections kelly willingness responsibilities get involved higher projects learning kind words received final week inspiring beyond thoughtful corporations companies negatives associated highly enough ones define culture supported valued working fortune professional proud accomplish helped training development assistant exactly align finance tasks assigned basic require technical professionally liked corporate finance kinds projects going utilized either since anything learned classes personally improved professional etiquette communication verbal written drafting emails meeting notes presentations documents files scheduling meetings using sharepoint etc soft jobs future selling vette clients helped garner future expectation sports representation sports agent promoter need sell athlete teams fans alike learning sell vette potential clients confident salesman provides business consulting interested pursuing minor consulting learned consulting companies clients project management flow working proposals gives clearer understanding administrative needed done pitching despite involved directly consulting clients adequate introduction consulting prep kickoff phase became emailing colleagues assistance advice taking initiative finding opportunities proactive communication time learned Marketing company main clients businesses organizations institutions interesting discussion planning implementing round Marketing catered industries knew Marketing exposed Marketing Marketing thought Marketing consulting often already known small company known philly region yet emphasize outreach Marketing integral hopey explore aspects Marketing future analysis interaction technology awarding credits contributed graduating college short term goals professional professionalism experienced professional wanted biggest pursuing communicate participate contribute setting usually intimidated voice opinion primarchly age lack embarrass coming vocal opinions confident ideas terrible realized rather participate interested trying instead silent like room carries classroom discussions prepared questions might knowing answer participate braver daily general helps realized weakness overcame towards law finishing undergrad criminal lawyer helped finish collaborate groups future teams someone somewhat professional doubt decembersions bad twice intern afraid mistakes notice habit rethink decembersion least three four times committing going forth afraid wrong making decembersion minute keep asking right step get point understandable months doubt afraid mistakes around halfway point doubting asking questions knew answer wanted turn like affects workers probably appreciated sending email creating journal entry need decembersions least time original decembersion correct however workers open making mistakes knew learning opportunity used encouraging words correct asking hey right journal entry putting asked silly question attorney working legal setting directly employees company clients helped professional language etiquette learning assertive agressive making point presenting stood related current currently pursuing studies notion growth self evolution cheesy sound importance continuous improvement note literally springboard must however explain exactly means growth self evolution continuous improvement surrounds concept evaluating past assessing measures taken thus positively shape future springboard learned importance identifying spaces drawbacks situation pausing celebrate advantages maybe improving light currently desire approach assignment process example asking questions like organize time improve etc imperfect humans perfection unnatural growth contrary natural things starting low like proving handle higher moving ladder professional proved company ethic effort offering overtime earlier hours allowed develop takes business attending business company like father working small evolving like truckbux eyes takes internally externally satisfy customers company charge customer dealt satisfied unsatisfied customers dealing negative feedback easy anyone company however necessary business oftentimes deal issues giving almost instant response took pride finding solution issues assisting customers matter circumstance customer rude kept positive attitude assisted every company fill negative positive feedback early stages working truckbux given better perspective takes company deal feedback receives better prepared feedback company could receive future deal expand network dabbled photography hobby working photo art center Marketing combination hobby coming expect invited welcoming sort visual media Marketing working ppac step gifted nice contacts photography community company rebranding inside learned things social media integrate future seeing doordash setting looking future excited nice working small opportunity trying bigger Marketing company whatever get wait cycle type placed upon admitting fearless came changing majors choices certain stigma around changing majors college wished overcome helped business spent months working thought waste compared lifetime ahead fortunate conclusion rather later came realized mean frankly probably however owned several reports manipulate read excel sql files im studying applicable actual choice anything else learned awkward situation like fun rewarding wish spend time lucky worked hires crazy climate expanded roles got larger learned questions player difference daily get tasks done totality absolutely moved closer educated kind kind eyes type future va q tec usa considered years room company disorganized biggest issue inventory demand recent allan myers helped strive towards future goals variety ways professional goals cost accountant allowed opportunity came finance minor accounting accepted assistant cost accountant worked needed areas week worked days cost accountant assisted anything needed days bounced around office asking assist anything else needed done could considered engineering construction management etc professional narrow decembersion hate accounting found passion finance time around helped discipline responsibility worked genuine knew fun time came time cared jobs success company carry eventually professional experiences get understanding business brought closer corporate law future wanted undergrad get get business going law working sig brought closer professional goals less related company consulting agency based business saw hand company gears company forward saw company interacted advertising content outside company intersection experiences allowed recognize future professional goals degree move onto law better perspective law helped decemberde like law post grad inner workings law outside legal stronger law starting figure intend right decemberde network enhance goals entering effectively resolve problems significantly ample opportunity practice variety user issues printers computers software anything quickly pinpoint root cause issues workers get soon knew going workforce develop ever introverted individual week told supervisor anxiety answering phones issues accurate effective manner couple months confident greatly strengthened written verbal communication customer service feature employer flexibility business planning designing organizing analytics learning division registered entry learned anodizing process tank kept solutions going nadcap certification helped preparation necessary kind needed looked helped rounded involved company teams worked exactly got got teams perform tasks learned got pushed zone better provided basic office etiquette opportunity collaboration corporate given opportunity happens bank hand specifically buy investments personally invest happens institution makes trade got deal around point got things textbooks relevant get get asset management financial analysis helped get foot door hopey opportunities ever since went college get proficient managing time dramatically helped improve time management detailed notes line running every hour get done beforehand get done growth wanted entering proactive passive applied settings often deferred colleagues input knew transitioning larger complex setting college require establish voice far meeting starting projects working cs business ones point better teammate offer project like oiled machine talents utilized process easier page communication stays constant met fellow majors saw differed us ways wanted tackle project availability harder simultaneously together however maintained communication allowed us stay page held accountable setting deadlines let needed project required us efficient effective algorithms organize strongest weakest neither cohorts experienced machine learning algorithms pretty challenging came starting project sent articles video helped us reached progress ran logistical questions regarding project needed resolved immediately get going active ideas questions became unclear us efficiently began stepping stone proactive helped importance coming shell professional settings get tasks done goals stay setting implement creativity source income open eyes industries could becoming better researcher university currently fellow requires coding originally python limited range could mentor vba sql fellowship project automate processes grateful sig operations supply chain management development fashion taking consumer description typically falls exactly business fashion wanted professional time small fashion nature like corporate setting eventually making commute time prepared terms food water working superiors helped develop communication terms talking superior term get cpa license joining company independence blue cross handle journal entries reconciliations independently pre actual accountant daily tasks routine independence blue cross makes getting cpa license main goals better carry conduct professional capacity helped accomplishing allowing interact used newfound improve persona professional relationships future goals independently stay challenge apprehensive making mistakes wanted easier sense little room frivolity conversation text steps becoming ceo workers company ones versatile company instead operations metro mobile talking positions higher lower showed ton surface operations management mainly took business classes associating aspects business retain ways sell sales tactics stores talk biggest helped towards pursing business connections key successful cant alone thats overkill things opportunity together successful company easier like hearing peoples stories learning cultures steps making happen learning probably typical better professional goals learning employees future hold working rudloff custom builders project meant given control site every trade needed needed schedule managing sub contractors considering pretty jobs sites needed framers walls electricians masons plumbers chimney workers cabinets hardwood flooring list keeps going learning juggle calls maintaining clean schedule key jobs success acquiring peak profits performance uniquely prepared accomplish managerial control placed perfect needed acquire calmly collectively managing employees subcontractors jobsites came knowing professional future loved special opportunity students given knew coops goals stated company focused studies planning quite time waiting effectively business scratch gaining software technology business companies ahead forward becoming entrepreneur helped develop counseling skillset need pursuing early management strategic consulting enjoyed fact allowed earning privilege connect directly clients involved meetings like engagement pitches management presentations akin opportunities leverage recruiting summer analyst associate roles summer management consulting terms professional catering degree freelance Marketing positions undergraduate education edit content terms videos creative promotional content brands edit websites unique twist companies Marketing outlooks appealing audience targetting top like Marketing future shares similar mindset setting fun exciting every single every single Marketing brainstorm exciting content draw given audience future like experiment working alongside fashion company personally interested spare time took away lessons lessons expected worth professional development like utilizing training appropriately company someone else appointed time frequent reviews employees discover talent abilities applied appropriately rewarding company efficiency improved employees valued spoke proud constantly communicated supervisor related supposed resource improvement confident communicate needs clearly politely coming company comprised nice problem company meaningless education proud stood needs priorities excited return eager expect wanted learning learned chemistry flexible covid curve balls athletic season shown communication necessary get things done every week involved meeting external relations discuss agenda things done included brainstorming ideas divvying responsibilities asking questions clearing confusion sitting contributing meetings months learned communication get things done communication used aspects including education projects classes basis communication anything needs clarified clarified future relied tasks proud working contributing bigger picture division athletic teams power learned bookkeeping small engineering company connections clients prepared bookkeeping quantity assigned books companies zone reflecting getting professional graduating variety right gate college apart graduates seeking fact heavily influenced decembersion university since reason writing peacex helped closest varied widely initially looking since venture studio hour meeting every rest typical type hour peacex fit conventional thinking enjoyed since eyes possibilities ideation planning process designing app peacex brought us apps better learned little bit ui ux design found interesting learned importance proper documentation since cycle existing products documentation understanding joining professional effectively communicate without repeat details concise since opportunity reach communications either slack emails main like profession wanted like working daily profession helped changes fit future desired wanted inside corporate america working remotely built communication excel time management organizational despite working remotely get hands addition shadow future currently learning japanese past showed week tasked giving every since daily info jokes decemberded teach japanese word everyday familiarity provided right bat teach words language need held older interpersonal connections like network bizarre topics keeps things fresh throws interesting curveball general exactly academia static ideas concepts reach larger audience however met inspiring learned mba boss learned choice expected eye opening helped applying learned classroom learning learned software mailchimp hootsuite later canva learned like stronger candidate future becoming stronger candidate fill resume experiences already excited prospect attending applying experiences university lebow college business prepared working applying academia applying private sector interesting system helped goals growing playing sports knew wanted coming choosing business given expand academically business engineering difficult get careers future choices management engineering however perfect combination business development analyst robotics company gained mechanical software engineering technicals behind products meanwhile learned business development sales Marketing comes drone robotics helped otherwise helped figure better worked directly gathering numbers analyzing presenting allowed engage process learned enjoyed perhaps customer forward greater aspects Marketing utilize develop meaningful campaigns plans attractive boss adam walker leader mentor step leadership advice setbacks walk us helped us working personalities working fields classes teams working weaknesses hands learning grown learned better teams projects starting involved civic engagement volunteer tutoring center called moder patshala read kindergarten students local philadelphia elementary schools global citizen heavily involved civic engagement increasing education local philadelphia students priority according mission statement reading captains time campaign global citizen encourages children reading grade fourth grade directly supervisors reading captains initiative recruiting volunteers region philadelphia access reading materials increase literacy rates children attending underserved schools civic engagement efforts tutoring centers like ones already worked global citizen allowed connections organizations similar goals connections gc outreach gained philadelphia public students pursuing finding step doorway like professional engineering decemberde engineering interested design engineering managers workers exposed departments companies brands eye opening enabled explore interests current finance finance interests future lack need office space future learned communicate screen quite literally pushed communication wished evolve better actually implement classwork implement classwork understanding excel need excel extensive implementing schoolwork actual time management improve pushed days close hours sense making time things loved enlightening someone studying accounting finance wanted explore avenues accounting finance related accounting initially excited looking forward however realized autonomous activities constant scheduled rehearsed nothing wrong anything financial marchets wished wonderful opportunity however room individual wanted lovely opportunity trying accounting investment grateful opportunity peers opportunity professional variety scientist future engineer given half need future learning startup got individual parts company got met future aware damaged daily human wastage relating business numbers forecasting conducting prediction precisely contribute mitigating wastes losses business activities besides learning confident articulate speaking inspire encourage persuade listen suggestions challenging stress choosing easy idle brain dangerous secured risks perhaps better difficult concerned abilities moment get future goals gopuff placed collecting making accessible employees metrics captured daily sent reports presentable easy digest future statistics business analytics classes excited concepts collection built upon building company employed existing like ensure collect transparent business ensuring numbers digestible audience key function learned gopuff members analytics used graphic design ensure employees like drawn checking reports time time emphasis gopuff widespread future professions addition central analytics company least analytics consultant charged communication bridging gap business analytics pride jack trades problem solver strive successy working brain internet lacking however health insurance humongous intimidating filled jargon sometimes feels intentionally difficult layperson decemberpher aspects flat sense badly designed despite relevant wants allowed american hospital reasonable bill reading barest minimums let mom confused filled health insurance waivers feelings completely confused anything meant working gained far er understanding health insurance ever anywhere else confident handle anyone else ever need currently striving money flows business flows eyes money moved business financials hydroworks companies financials pricing strategies pricing completely segment pricing interested tasked evaluation products compared worked learned evaluate products price usefulness personally worked water filtration systems easy compare price flow rates range given rough useful financials business finding time gives opportunity rotate teams allows explore like lack terms going however main figure interested went lebow knowing wanted business sort unsure allows explore tech business coincides mis business analytics given rotate teams allows explore sides company like business currently going moving delivery time going example versatile allows explore like like goals corporation someone lived york city dream suits subway going huge financial buildings checklist company like sap headquarters showed professional develop graduating door endless opportunities development found interpersonal organizational development rewarding speaking workers every regarding current audit allowed improve interpersonal communication starting clean desk helped knew notes writing utensils useful items keep desk organized motivated hand critical situation including home organizational learned return classes learning improve time management critical effectively schedule tasks reminders assignments timely manner academically personally free time improving time management increase motivation mood wellbeing determined assignments effectively perform better classes list goes regarding developed bowman company llp time greatly expanded professional needed succeed reflect studies implementing relevant useful learned either ib pwm future pcs direct works helped front advisors gets paid therefore asset helped succeed future sales woman reputable passionate finances preparing retirement unexpected circumstances learned importance health insurance insurance retirement vehicle confident serve personally found interesting learned fields like estate entrepreneurship interesting intention coops bout fields interests academically found useful learned classes useful little excel useful knowing financial statements mean intriguing accounting works business firsthand professionally gained enhance already knew eye opening enjoyed time saw importance vlauee boss saw company began responsibilites projects tasks entrusted confidential projects valued intern working towards better communicator leader community taken supporting pillar helps rise given opportunity management teams virtually turn greatly tightened furthermore communication benefited communicate ideas efficiently workers better main goals better public speaking communication since virtual communication keep touch supervisor regular basis email microsoft teams effectively get points across speaking coworkers get questions answered included calling emailing parts country helped getting zone talking develop analytics learning software familiarizing essential tools period lucky attend power bi training provided supervisor explained concepts detail ensured knew solving problems opportunity project knew like clients resolve inquiries requests moreover communication improved weekly meetings report tasks working discuss problems available wanted absolute limits produce honestly despite times employed managed produce decembernt bit content proud went branch step zone things writer managed write ton articles topics time designer capable creating designing modifying actual designs infographics logos unable y room experiment looking improve time write time researching helped actual honed developing higher ideas write writing portion allowed expressing ideas complex yet understandable manner focused creating content improved content creation every regard zone giving given company prepared given responsibility probably old college sophomore rise expectations surprise could basically running entire customer direct supervisor left successful let challenges get stopped learning admit mistake wanted better qualities someone business everyday difficult learned management could things happening colleagues nothing get done leadership future confident abilities goals starting business deepening fields international business business law somewhat peripheral operations planned coordinated undeployed levels example massive acquiring hardware necessary chromebook deploying distribution centers onto students parents required deal operations planning logistics concerning chromebook parts considered parts ordered regular basis coordination vital ensuring distribution centers philadelphia stocked capable receiving addressing needs parents students need assistance looking repair pick devices regular meetings levels top given space raise concerns questions clear resources needed structure scale logistics challenges solutions incredibly interesting observe tools vital running business reasons participate distribution center bearing witness challenges ingenious solutions operating range staff rewarding goals academics speaking publicly improve speaking front business front coworkers front employer gotten little bit nervous comes public speaking meetings open communication helped accomplished pertaining every monday boss anthony hopkins loved weekly check meetings time went talking reporting given practice public speaking meetings invited went anthony invited sit meeting Marketing company seer meetings anywhere grateful involved virtual meetings practice get public speaking better meeting often input opinion shared cycle longer nervous voice opinion boss workers grateful amazing grateful improve managing time effectively goals procrastinated trouble meeting deadlines classes assignments commitments general left commit certain dates deadlines reason slack wanted involve activities happening around extent time conscious priorities realized internal peace comes managing time effectively feeling time working time realized stick deadlines easy procrastinated couple times pay consequences actions realized delaying process several departments relied us reflected lag created impacted understood gravity situation mistakes implemented time management tools using google calendar planner goals deadlines excited classes organized effective going deadlines someone recently switched finance private wealth management y basic advanced levels thinking simplest decembersions behind investing trading like analysis working allocations financial reporting allowed like relating context upcoming financial decembersions friendly nurturing office ideal someone like nervous going professional lax remained competitive allowed competitive pwm firms professional pursuing fact pursuing related business finished maybe Marketing right totally okay management business future figure wanted get estate management learning speaking business open mind sides businesses completely unaware helped getting times corona less less employers hiring professional becoming estate agent owning businesses teach things teach grateful company home half continuing business analyst finance maybe Marketing passion ba need improve upon like analytical problem solving communication often employed problem solving time project time making project closing project problems need solved perspective observation problem solving sensitive received problems solve time carelessness supervisor pointed fix weakness years active communicating professors advice need improve simply hobby free time trading finance involves industries trader secondary employment courses fundamental trading courses near future bitter experiences came lack necessary character note receive paid planning meticulously resume experiences majority time esf consisted Marketing customer engagement sell brand improve customer service customer service need business every business requires selling brand learning talk customers customers hear head building foundation shadowing boss hearing talk business peers phone accompanying fundraising kind f tatted like completely things professional leverage land time financial service main reasons chose offered students time least worth transferrable leverage search time get degree keeping mind classroom extracurriculars geared towards landing time easier success depended resilient tp socialize professional manner synthesize amounts coherent digestible manner gained resilience search process getting rejections offers searching networking organizations groups campus aided socialize network professional manner voluntary projects groups helped develop analytical summarchze amounts complex digestible format grit effort amounted receiving offer join investment time analyst growed tremendously improved learned things future realized planning sphere classes connected hr sphere thus taking related classes deeper understanding deeper sphere moreover networking colleagues related management business wanted planning professional sports professional sports watched learned goes running independent minor league baseball learned aspects jobs loved could possibly excel stray away looking enter learned excel entertain fan promotions sponsorship business sales cold calling strongest sales tips professionals helped communicated allows confident shall ever need sales entering sports staying involved knowing strength weaknesses develop understanding six months barnstormers office built resume better suited sports played excited step college prepared ready entry sports business need degree sports business simple professional figuring pursuing figuring came wanting science took couple business classes found enjoyed learning business switched lebow currently general business helped mobile Marketing get better view business narrow like listing brand like working Marketing kind processes working Marketing campaigns helped get like Marketing mind exactly yet prove road came corporate comcast business admired achieved got februaryuary surpassed excelled built lasting connections building professional network considering prior pandemic small grown ten times since coming company like individuals vouch performance ethic character strive connections like using learned mentors comcast nbcuniversal fact worked non profit feeling purpose beyond knew helping trying reach helped working like possibility dream intern delta airlines gsa delta challenged creative critical thinker solve problems excel mind confident classes impact spaces uncomfortable around goals influential opportunity given african lens african lens dedicated talents constantly works platform young creatives photographers express competitive international spaces official opportunity walked society experienced learned communication communicated projects presentations labs communication quite similar exactly colleague responsible nothing wait finish project add name project need communication colleague check progress control speed making friends boring anyone lunch together play games questions solve problem case getting familiar started expecting fun friends professional learned sql language tried system sql application challenge time used learned project company proud finally finish system future company like lacks management smaller company compare means stuff top actual anything helped expect better second professional company systems management sideline reporter college profession get sideline reporting got goes behind scenes leaving sends future prepared follow main mission diversity commercial estate strive diverse races cultures sexes making included society pool ideas benefit companies consumers directly dream financial entrepreneurship concepts investing banking utilized future classes related experiences add ever revolutionary fundamental mechanics activities proceedings strong strategic partner building therefore technological entrepreneurship future im sports management since directly related sports helped get sports conducted reasons applied system becoming standout applicant things learned greater effect prior option classroom setting ak housing shown things expected setting given capabilities confident seeing asked translate ambitious determined future pursuits shown weaknesses lie helped identify areas improve upon points development making better candidate future opportunities receive starting summer cycle secured contract extension ak housing accounting intern corporate opportunity contribute using gained far education strengths weaknesses improve striving improvement attending every little given avenue practice actual setting taking working becoming standout learned estate business hopey every opportunity get industries qualities require successful informed decembersions follow depending suits perhaps earn offer places post source company could sway decembersion making like obtain project management technology past years improved understanding engineering management accounting independent learning employ newfound improve project assistant often supervised subcontractors site since trades e g framers electricians plumbers painters scheduled directly keep track avoid delays given least phone calls supervisor subcontractors suppliers ensure projects running smoothly besides management gained performing accounting tasks company used buildertrend keep track invoices payments publish weekly updates owners certain days bookkeeper upload newly received invoices buildertrend ready payment necessarily interested pursuing accounting deep understanding accounting functions diverse candidate positions excellent brought closer professional goals improve management accounting certainly recommend possibility leaving went paid thousands dollars treated horribly kamp kids figuring exactly segments business system narrow business healthcare top choices mom healthcare grew like combines interests business totally segment business like attending allows little like like little bit indecembersive method eases mind makes optimistic pinpoint working brown brothers harriman profile stepping stone towards combination finance accounting economics determine interested mentioned required finance accounting economics grabbed finance economics working reputed investment banking pressure submit quality exciting working accounts requests completing hours turnaround time talking polish communication bond actual motivation stressful situations professional culture helped forward determine expect future created amazing mentors willing spend hours listening talking get heading finance economics got sense fit thus helping narrowing better focusing excel professional pursuing learned operates together professional setting supply chain operations management learned difference operations used service vs manufacturing professional certified public accountant cpa allowed like corporation accountant additionally members working towards degree completing time working questions like time advice grad grad immediately moreover going learning accounting nothing like experiencing context wanted cpa seemed like logical step since accounting however actually learned classes applied scenario helped actually future months process showed accounting done cycle chose since get pursuing future helped future enhanced dream becoming cpa biggest better understanding trying imagine heard careers thought internal audit thought twice since understanding external auditor since closely pwc boss awesome enough encourage learning allowed meetings departments penn mutual due got financial controls compliance actuarial fields helps clarity professional goals flexible fact working several teams flexibility juggle deadlines teams maintaining recurring tasks fact completely flexibility personally taken due pandemic flexible got wanted communicating public general Marketing therefore time direct communicator business customers talk masses appropriate reflects business accurately company diverse responsibilities changing perfect general business daily responsibilities projects assigned repetitive therefore giving ample opportunity exercise approaches mentalities problems goals time management maintaining strong ethic time university normally assignment subject either putting assignment minute spend time assignment constantly get distracted around interact studying working time times became distracted simply due lack subject hand unable interact online unable making difference assigned seems meaningless unimportant need planning week allotted time projects simply completing project soon receive need system projects time maximum thought effort like could goals structure used sleep earlier days starting earlier enabled productive accomplish sometimes early given multitude things time management get completed classes need schedule homework studying besides trying fail like system ending cycle running jumping past obstacle abilities success problem mentality hurdle fear succeed held constant grasp concept setting dedicating journey expel fear enough descriptions sound terrifying actual achievable learned capable surviving employers miraculous super intelligence someone passionate someone spreads positivity projects communicate partners perfectly acceptable helped relieve fears things enjoyed seeing could learned seeing results helped professional finance prefer enough meaningful done finance shift towards law learning grateful lesson working financial lombard chase bigger returns telling story numbers legal meaningful outcomes allowed dive finance money managed intricacies better future cpi future opportunities impressed scope responsibilities entrusted leverage opportunities future coops wanted increase technical excel analysis etc achieved goals related goals wanted communication called suppliers invoices payments however like need communication writing emails professional better understanding majors pursuing doors business like bit accounting since worked small basically wingman owner got academics considering majoring management close takes done father owns business involved allowed compare organizing managing businesses organizations pursuing learning business impressions based appearance words learned ways around business attire done recognizable found business woman voice choice words inspire masses forced customer service coming voice learned respond resident crisis persuade prospect trust company based word choice presentation time conduct tour representation company brand ambassador progress courses add financial terms vocabulary elevate impressions success rate chances business professional pursuing expand working step attending absolutely working reasons chose acts bridge showed working time feels like like responsibilities studies hands like owning small business responsibilities business owner fulfilled wanted ins outs owning business operates got observe hand handling small business wanted expand working pursuing types working environments got working small business bigger focused certain working corporate vast variety fits completed taken step forward achieving goals helped evaluate goals refurbish motivation towards building ethical professional goals corresponded excited professional exposed helped determine like attend psychology hand hand current business understanding technology got helps professional pursuing obtaining graphic design adapt changes specifically started ebooks company initially joining facebook groups reaching sports companies customers members company surveys regarding price points pros cons general questions went half time wanted working ebook display statistics head injuries certain solution problems nice found around time decemberded add interactive digital media idm minor schedule considering little bit decemberded decembersion commit future wish things idm helped visualize professional future digital media step towards peers due pandemic past six months working peco exelon corporate finance current financial however seen learning opportunity acquire develop working home given improve upon communication presentational forced develop strong relationships internet instead face face office main lessons learned working home need innovembertive persistent goals finding ways adapt situation hand circumstances given club giving opportunity versed main finance business analytics knowledgeable topics business allowed diversify topics systems unfamiliar six months ago grateful found future professional endeavors learning opportunity technical emotional built communication leadership teamwork helped step forward ultimate working top firms albeit chubb widely known company insurance months getting understanding company caliber works edge need secure highly contested honestly speaking understanding company worked non profit working realized social media communications satisfaction hoped step closer understanding guess second term understood hate economics finalized decembersion social media non profit relating fields analysis creation products production process properly applied brand name companies applied probably missed interested anyways talking achieved realization coming expecting professionally e office decembernt salary could positive terms working professionally align future goals growing company learned offices things behind process peco helped philadelphia region resources successy perform learned executed follow protocol directions professional better marcheter brands broader audiences using social media internet brand could someone like helping business using google seo inputting certain keywords website improve quantity website traffic site someone local searches food restaurant places eat options seen aspects related professional goals currently process defining step broader options ideas goals additionally current short term goals define wish collecting projects directed collected impact structural design projects structure built site collecting addition noticing strong creating building operations management creating systems managing moving pieces solving improving problems passionate allows discover construction site built desired pin number options paths desire reduce number total larger number coming almost clueless months ago beg step ahead reduce number following terms coops term financial law somewhat related professional thought got finance related softwares used exactly designed need accounting foundation company financial statement recognize error main better understanding financial reporting went courses left aspects quite prepared financial reporting spent time reviewing purchasing upcoming material addition wanted get better sense accounting like however nature office weekly assignments meetings lack properly assigned actually like actually office time working esi healthy hop llc points time questioned getting gained nearly hoping like stated earlier response somewhat better understanding financial reporting process basics specifics main improved business verbal written communication forced expand upon tasks assigned reach programs phmc managed participate mailing centralization project required email cold directors gather mailing system necessity programs seeing calling mailing times getting response difficult written verbal communication became challenging pinging busy directors managers right communication tactics takes planning care improved given project time leaving project half remembering circle timely manner became key stood company talking Marketing strategies business moment tell online Marketing looking forward learning online Marketing classes like hone html sorts basic used ways example web design entire website business remember younger websites like tumblr could page html pages designed pages get lots traffic popular sector online Marketing like targeted ads business understanding process Marketing suppose tie Marketing statistics statistics strong suit like like read stats business decembersions crucial advancing business developing business need tech business like management informations systems taken huge passion social media learning social media company presence internet modern society company internet persona impact companies consumers prospective employees etc perceive company culture therefore essential unique company viewer behind wall business huge passion comes creating social media presence business return courses towards future professional eye Marketing social media internet general essential company success shown type succeed Marketing scope working administrative assistant office innovembertion helped aspects professional together tremendous dealing office tasks classroom activities discussions faculty peers helped develop improve communication needed got opportunity communicate interact individuals process submissions step opportunity things terms professional communication get related qualities improved practiced benefit future instance technological like using coeus software excel sharepoint verbal written communication resourcefulness multi tasking time management prioritizing tasks required thankful offering essential allows students develop significant key succeed students receive classroom achieved experienced professionals like thank wonderful opportunity wanted explore aspects accounting mean transfer far done financial reporting current cash application reconciliations disbursements insurance company nearing second neither insurance helped wanting particular despite bit repetitive monotonous professional recognize likely going explore audit okay least crossed three categories accounting list accounting opportunity given professional willing teach technical professional standpoint wanted develop front generally operate office setting got opportunity types groups times allowed develop invited teams helped get wanted get couple driven decembersions mini projects mentioned Marketing kinds products services used working startup completely ready connect associates get running personally used Marketing products already visual however service ready technically gained attract customers unfinished similarly interested public relations opportunity public relations courses came primarchly promote professional ready helped becoming professional allowing professionalism allowed chose economics wanted broad wanted options future downside decembersion unsure future minor communications allowed view departments allowed amazing allowed things saw enjoyed working sales calls membership working events assignments allowed spread communications sales paired economic degree narrow allowed things applicable goals allowed experienced professionalism player professional writing narrow specify minor allows analyzing throughly processing completing requests professional pursuing business business jobs expect jobs duties tasks get international moved america transferred university absolutely connections initial stage apprehensive going get considering joined juneor opposed came freshman weekly overview meetings allowed broader picture professionals roles responsibilities particular week since independent professional goals get friends mentors connect working professionals working reputed corporation working sector allowed supportive allows expand horizons observe meetings Marketing meetings analytics meetings database meetings allowed competent professionals vast fields across students studied transitioned time company provided insights time company could face face conversation hour virtual spaces allowed divisions striking conversation linkedin asked reach future beneficial exposes finance vietnam provides opportunities corporate finance investment banking greatly shaping orientation near future adapt changes society communication completely changed getting completely secondly attitude towards employment wanted looking suits hobbies professional counterpart finding easy society touch things wait opportunities throw away dependence soon independent society dare compete society dare bear social pressure spirit cooperation importance views mutual understanding tolerance cooperation differences decemberease smooth communicating correct deal aspects relationship things happen calmly deal things humbler gained given future goals brands showcase identity encompass promotional content produce films graphics photos brands effectively convey missions express creatively backing projects logical reasoning behavior perception broad sense involved project finish allowed get hands implementing ideas creative projects experiment ideas concepts implementing goals clients creative filming interviews contrast interviewee using filmmaking behavioral psychology learned classes like economics psychology implement learned classes sell ideas writers target audience producers universal miniscule projects tasked creating engaging micro content several celebrities social media pages filmmaking tasked ranged making viewers thirsty looking drink making viewers like desire provided content like fast facts friday projects demanded outcomes time limited constantly working implementing editing shooting techniques convey intentions attaining degree finance degree company little open business working eurotour directly owners company took open business keep adapting business model times tori bob excellent mentors helped goals business openeed eyes developing emerging industries regenerative medicine started extremity care intent becoming investment banker however completely changed mind enter healthcare learned system works received offer process eyes rewarding lines healthcare came accounting little wanted could handle accounting could handle accounting loved enjoyed auditing goals starting develop strong microsoft excel finance entering rated excel currently showed importance excel finance working imagefirst exposed index match formulas vlookups hlookups pivot tables indirects key formatting familiar learning things excel easier particularly rewarding need strong foundation successful professional since starting imagefirst heavily excel outside office time imagefirst variety finance finance accounting teams cross broad scope tasks time accounting learned journal entries inventory management preparing financial statements finance participated forecasting budgets analysis financial analysis applying learned classroom else hoped employed understanding office dynamics accomplished finance works departments learning relationships projects interesting entire goals becoming developer financial developer largest investment bank seeing middle office operates scenario middle almost banks functions develop solutions problems middle office experiencing incredibly acute practice future employment voicing opinions professional setting like tendency joke things common vernacular company setting initially concerned words might across coworkers time company supported spoke daily basis celebrated individuality worked virtual slack free share random thoughts teams overcome anxiety communications found wrote farewell poem saying goodbye company like home months express random thoughts time craft successful pitch resulted coverage stemming original lens acknowledge growth offering ideas point defend decembersions questioned platform working setting easy surely save time traveling lose touch focusing becomes difficult communicating contractors engineers supervisors helped initiating carrying conversation wont afraid future lessons learned future opportunity fairmount general store ace hardware managed inventory levels future upper management retail corporation given sharpened inventory learned every supply chain works essential future supply chain allowed happens store stocks correctly ordering lifeline store age seems every store running procurement significant opportunity given decemberde skus store carried kept stock learned essential correct filled shelve supporting inventory wrong get outdated sold enough potential store get future customers buy used learned supply chain classes figure formulas correct number products cycles maintain inventory levels entering cycle develop deeper understanding cooperating professional setting specifically needed proper ways tasks brainstorming conflict resolution coordinating projects members developing ways get coworkers engage projects helped greatly achieving often done small groups organizing us discussion brainstorm solutions satisfied seemingly simple tasks like planning meeting times challenging time undeveloped professional setting setback developed however head implement ease projects done effectively larger came engaging discussion due number students diverse background individuals potential solutions problems tackling learned ways collect viewpoints represented equally discuss ways respect integral parts effective leadership better project future related professional pursuing entire onboarding offboarding worked home aspects balance chose attend college largely better offers balance free time working remotely showed time save without office commute valued time six period learned later things technical interpersonal education investment better better students companies roles could gives students opportunity kinds roles invaluable decemberding term kpmg perfect fit professional goals undecemberded kind accounting wanted specialize knew liked going details checking accuracy thought forensic accounting auditing exactly knew wanted learned supervisors helped throwing getting working appreciative kpmg offered upon completion required credits accounting officially begin septemberember believed finance sought shown logistics behind running bank degree business analytics finance hoping venture investments anything finance related integrating business analytics background usage softwares prior lessons taxation individuals corporations working andersen like future interesting learned learned software company used communicate professional interested calm sometimes stressful andersen future financial working taxes general reports ways compile useful future future utc time working relevant majors getting aspects particular transportation manufacturing helped get clear sense business addition clear vision going forward introduced possibilities working stronger consulting majors supply chain mis mould professional members provided detailed feedback projects worked welcoming understood came diverse background helped settle company comfortably members followed checked time time settled offered time company interested working healthcare finance accounting time Marketing due wide variety things picked reading welcome america festival knew opportunity roles finding analytics media management web management going round interviews jobs areas entrepreneurial mindset creat investment company related estate holdings therefore provided idead process acquisitions hold sell profit finance business analyst directly relevant provided working hr allowed aspects working working external description review resumes pick tips prepared reports audits analytical things faster process y keep fixed schedule things downtime develop goals online time working professional learned professional tasks workers helps communication culture like fast space chose pcs feeling like cared making opportunities poor minorities pressing issues age house zip code greatly impacts future example public schooling funded property taxes thus child growing poorer neighborhood often forced poorer underfunded schools effect learning kindergarten without adequate schooling college affected thus providing opportunities wealthier middle individuals like fair share housing development stable affordable homes higher income areas children raised opportunity thrive prosperous neighborhoods basic right human regardless income given resources succeed thrive professional goals cpa graduating helped closer several ways worked cpas finance helped better concepts accounting accounting works company helping close coded bank credit card transactions correct general ledger quickbooks booked security expenses revenue accounts receivables reconciled bank statements accounts receivable vendor statements activities helped deepen accounting cash flow company financials better prepared cpa exam second working cpas learned jobs regular basis types careers becoming cpa realized controller company like accountant specializing fields taxes fixed assets revenue cfo strategic determine direction company head insights eyes variety fields available becoming cpa determine follow coming wanted future accounting finance managerial business ultimately helped business difficult seems luckily amazing helped assistant could got like bartending teach managers bartend incase gets busy hop behind bar future bartending top finally like close saying far greatest experiences hopey college like future like office regards carrying professional saw quite extroverted communicate peers background customer service rounded understanding building meaningful relationships going transferred moments intimidated conversation conversation around hesitation hindered potential networking need near future'
In [378]:
# Tokenize the string skill_all_words
Goal_string_tokens = word_tokenize(Goal_string_tokens)

Goal_string_tokens
Out[378]:
['wanted',
 'get',
 'hands',
 'return',
 'preparation',
 'planning',
 'allowed',
 'seniors',
 'partners',
 'explaining',
 'things',
 'future',
 'wanted',
 'could',
 'working',
 'time',
 'ever',
 'since',
 'began',
 'pursuing',
 'accounting',
 'main',
 'attain',
 'four',
 'seemed',
 'like',
 'reach',
 'thought',
 'reach',
 'get',
 'opportunity',
 'knew',
 'thought',
 'could',
 'keep',
 'head',
 'bdo',
 'four',
 'considered',
 'discouraging',
 'time',
 'could',
 'time',
 'bdo',
 'could',
 'impression',
 'time',
 'prove',
 'bdo',
 'takes',
 'profession',
 'meant',
 'smaller',
 'six',
 'months',
 'went',
 'learned',
 'knew',
 'time',
 'came',
 'second',
 'decemberded',
 'shot',
 'four',
 'led',
 'ey',
 'decemberded',
 'milestone',
 'four',
 'years',
 'earlier',
 'could',
 'keep',
 'head',
 'could',
 'let',
 'fate',
 'handle',
 'rest',
 'ended',
 'ey',
 'extended',
 'time',
 'offer',
 'lesson',
 'beneficial',
 'johnson',
 'johnson',
 'due',
 'however',
 'collaborate',
 'remotely',
 'colleagues',
 'globally',
 'locally',
 'approach',
 'assignments',
 'ideas',
 'ways',
 'solve',
 'either',
 'enter',
 'consulting',
 'project',
 'management',
 'roles',
 'using',
 'salesforce',
 'agile',
 'project',
 'management',
 'method',
 'boosted',
 'opportunities',
 'pursuing',
 'time',
 'roles',
 'learned',
 'troubleshoot',
 'amazon',
 'network',
 'managing',
 'network',
 'vulnerabilities',
 'professional',
 'getting',
 'cybersecurity',
 'understanding',
 'basics',
 'network',
 'works',
 'essential',
 'professional',
 'networking',
 'opportunities',
 'entirely',
 'addition',
 'living',
 'campus',
 'since',
 'marchh',
 'thought',
 'quite',
 'difficult',
 'social',
 'professional',
 'setting',
 'similarly',
 'sized',
 'company',
 'scarce',
 'interaction',
 'anyone',
 'immediate',
 'week',
 'twenty',
 'us',
 'virtual',
 'setting',
 'semi',
 'weekly',
 'virtual',
 'meeting',
 'hangout',
 'meeting',
 'allowed',
 'us',
 'get',
 'us',
 'added',
 'linkedin',
 'share',
 'similar',
 'interests',
 'certain',
 'keep',
 'touch',
 'addition',
 'meetings',
 'immediate',
 'saw',
 'several',
 'personnel',
 'additions',
 'tenure',
 'allowed',
 'network',
 'extensive',
 'list',
 'connections',
 'professional',
 'pursuing',
 'competitive',
 'tech',
 'future',
 'working',
 'vanguard',
 'largest',
 'investment',
 'management',
 'companies',
 'helped',
 'vanguard',
 'challenged',
 'tasks',
 'required',
 'critical',
 'thinking',
 'coordination',
 'learned',
 'audits',
 'time',
 'sometimes',
 'given',
 'unfamiliar',
 'times',
 'tasks',
 'going',
 'questions',
 'thought',
 'process',
 'difficult',
 'rewarding',
 'knew',
 'failing',
 'learning',
 'pick',
 'knew',
 'figure',
 'unfamiliar',
 'accomplish',
 'tasks',
 'required',
 'problem',
 'solve',
 'competitive',
 'tech',
 'future',
 'competitive',
 'firms',
 'hire',
 'employees',
 'driven',
 'problem',
 'solving',
 'working',
 'vanguard',
 'business',
 'systems',
 'technology',
 'opportunities',
 'express',
 'network',
 'digital',
 'company',
 'connections',
 'future',
 'guide',
 'opportunities',
 'tech',
 'vanguard',
 'college',
 'grateful',
 'opportunity',
 'interested',
 'events',
 'opportunity',
 'production',
 'adam',
 'lippes',
 'tom',
 'ford',
 'fashion',
 'shows',
 'office',
 'saw',
 'sneak',
 'peeks',
 'planning',
 'process',
 'seeing',
 'preparation',
 'days',
 'days',
 'together',
 'amazing',
 'reinforced',
 'desire',
 'somehow',
 'events',
 'beginning',
 'time',
 'macquarie',
 'sense',
 'urgency',
 'type',
 'like',
 'officially',
 'due',
 'discovered',
 'passion',
 'worried',
 'found',
 'yet',
 'conversations',
 'coworkers',
 'macquarie',
 'reassured',
 'stone',
 'time',
 'enter',
 'workforce',
 'reinforced',
 'working',
 'lifelong',
 'obligation',
 'sentiment',
 'reverberated',
 'thoughts',
 'entirety',
 'time',
 'macquarie',
 'allowed',
 'branching',
 'parts',
 'business',
 'explore',
 'areas',
 'remotely',
 'areas',
 'happened',
 'sustainability',
 'macquarie',
 'currently',
 'mission',
 'sustainable',
 'asset',
 'given',
 'rare',
 'opportunity',
 'helm',
 'process',
 'applies',
 'brand',
 'Marketing',
 'technical',
 'Marketing',
 'massive',
 'unique',
 'gotten',
 'elsewhere',
 'helped',
 'frame',
 'like',
 'officially',
 'enter',
 'workforce',
 'unlike',
 'clear',
 'lane',
 'needed',
 'stay',
 'macquarie',
 'room',
 'explore',
 'allowed',
 'process',
 'decemberding',
 'like',
 'post',
 'related',
 'professional',
 'pursuing',
 'networking',
 'professions',
 'colleagues',
 'networking',
 'future',
 'search',
 'company',
 'like',
 'addition',
 'experiences',
 'companies',
 'require',
 'time',
 'recommendation',
 'need',
 'time',
 'addition',
 'provided',
 'mentor',
 'guided',
 'mentor',
 'fit',
 'quickly',
 'guidance',
 'enjoyed',
 'sap',
 'helps',
 'professional',
 'growth',
 'since',
 'freshman',
 'advantage',
 'three',
 'working',
 'industries',
 'majors',
 'Marketing',
 'organizational',
 'management',
 'play',
 'distinct',
 'roles',
 'company',
 'depending',
 'law',
 'experienced',
 'differed',
 'greatly',
 'second',
 'worked',
 'skin',
 'health',
 'section',
 'pharmaceutical',
 'company',
 'saw',
 'Marketing',
 'moreso',
 'related',
 'sales',
 'trade',
 'promotions',
 'meaning',
 'worked',
 'sell',
 'companies',
 'sold',
 'products',
 'customers',
 'opposed',
 'focusing',
 'Marketing',
 'selling',
 'directly',
 'consumer',
 'working',
 'sector',
 'diverse',
 'third',
 'rounded',
 'entering',
 'workforce',
 'step',
 'outside',
 'zone',
 'choosing',
 'primarch',
 'city',
 'live',
 'york',
 'city',
 'dream',
 'york',
 'city',
 'time',
 'lived',
 'anywhere',
 'outside',
 'philadelphia',
 'allowed',
 'explore',
 'eat',
 'foods',
 'surrounded',
 'diverse',
 'addition',
 'working',
 'finance',
 'Marketing',
 'utilize',
 'daily',
 'tasks',
 'included',
 'analysis',
 'pulled',
 'salesforce',
 'reporting',
 'forecasting',
 'metrics',
 'across',
 'private',
 'wealth',
 'sector',
 'proud',
 'attempting',
 'allowed',
 'develop',
 'sets',
 'useful',
 'matter',
 'professionally',
 'learned',
 'thrive',
 'fast',
 'paced',
 'fast',
 'turnaround',
 'time',
 'projects',
 'require',
 'tasks',
 'creative',
 'utilize',
 'brand',
 'consumer',
 'analysis',
 'opposed',
 'financial',
 'analysis',
 'lessons',
 'connections',
 'fashion',
 'finance',
 'required',
 'demands',
 'collaboratively',
 'teams',
 'products',
 'expand',
 'business',
 'like',
 'learned',
 'goldman',
 'sachs',
 'effect',
 'professional',
 'networking',
 'employer',
 'encourages',
 'us',
 'explore',
 'every',
 'week',
 'break',
 'room',
 'session',
 'placed',
 'break',
 'rooms',
 'randomly',
 'normally',
 'minutes',
 'employees',
 'chit',
 'chat',
 'departments',
 'allowed',
 'view',
 'subjects',
 'perspectives',
 'topics',
 'discussed',
 'professional',
 'subjects',
 'example',
 'getting',
 'perspectives',
 'advice',
 'nail',
 'resume',
 'process',
 'eye',
 'opening',
 'addition',
 'learning',
 'true',
 'passion',
 'professionally',
 'lesson',
 'learned',
 'professionally',
 'need',
 'personally',
 'succeed',
 'professional',
 'negotiate',
 'communicate',
 'comes',
 'interviews',
 'moreover',
 'deviate',
 'finance',
 'Marketing',
 'shadow',
 'talk',
 'employers',
 'departments',
 'finance',
 'specifically',
 'credit',
 'operations',
 'acquisitions',
 'quite',
 'interesting',
 'personally',
 'professionally',
 'gained',
 'advice',
 'thought',
 'proceed',
 'hear',
 'perspectives',
 'helped',
 'keep',
 'open',
 'mind',
 'keep',
 'comes',
 'exploiting',
 'professionally',
 'personally',
 'heading',
 'final',
 'knew',
 'wanted',
 'mind',
 'telling',
 'terms',
 'profession',
 'opportunity',
 'return',
 'grant',
 'thornton',
 'final',
 'discovered',
 'working',
 'completing',
 'time',
 'around',
 'showed',
 'working',
 'directly',
 'clients',
 'exposed',
 'pandemic',
 'changes',
 'facets',
 'spoke',
 'accounting',
 'heard',
 'saying',
 'accountants',
 'hate',
 'accounting',
 'happily',
 'case',
 'instead',
 'provided',
 'glimpse',
 'future',
 'potentially',
 'years',
 'line',
 'showed',
 'weird',
 'passion',
 'inside',
 'mind',
 'flash',
 'pan',
 'beginning',
 'journey',
 'might',
 'getting',
 'little',
 'deep',
 'away',
 'final',
 'sense',
 'knowing',
 'thrill',
 'excitement',
 'things',
 'progress',
 'rest',
 'close',
 'officially',
 'beginning',
 'post',
 'looking',
 'diversify',
 'develop',
 'professionally',
 'individual',
 'allowed',
 'exposes',
 'variety',
 'financial',
 'perspective',
 'process',
 'perspective',
 'variety',
 'clinical',
 'trials',
 'due',
 'pandemic',
 'things',
 'clinical',
 'trial',
 'process',
 'professional',
 'goals',
 'analytical',
 'Marketing',
 'focused',
 'traditional',
 'Marketing',
 'content',
 'creation',
 'working',
 'events',
 'helping',
 'design',
 'brochures',
 'opportunities',
 'launch',
 'digital',
 'Marketing',
 'campaigns',
 'analyze',
 'result',
 'wanted',
 'digital',
 'Marketing',
 'creative',
 'analytical',
 'Marketing',
 'rounded',
 'interested',
 'pursuing',
 'Marketing',
 'analytics',
 'hoping',
 'opportunity',
 'familiar',
 'digital',
 'advertising',
 'platforms',
 'visualization',
 'tools',
 'responsible',
 'ad',
 'campaigns',
 'company',
 'websites',
 'involved',
 'digital',
 'Marketing',
 'creating',
 'ads',
 'facebook',
 'google',
 'verizon',
 'media',
 'noticed',
 'interested',
 'gaining',
 'analytics',
 'introduced',
 'workers',
 'later',
 'involved',
 'centric',
 'projects',
 'relatively',
 'small',
 'company',
 'frequently',
 'testing',
 'platforms',
 'initiatives',
 'offer',
 'better',
 'advertising',
 'results',
 'therefore',
 'often',
 'asked',
 'extract',
 'analyze',
 'using',
 'software',
 'techniques',
 'minimal',
 'prior',
 'aspects',
 'professional',
 'goals',
 'pursuing',
 'time',
 'spent',
 'reignited',
 'passion',
 'scholar',
 'corrected',
 'dedicated',
 'second',
 'accounting',
 'intern',
 'estate',
 'company',
 'philadelphia',
 'includes',
 'minor',
 'interesting',
 'together',
 'could',
 'possibly',
 'degree',
 'looking',
 'forensic',
 'accounting',
 'profession',
 'audit',
 'nice',
 'could',
 'accounting',
 'estate',
 'together',
 'future',
 'options',
 'rounded',
 'possibilities',
 'finish',
 'classes',
 'moving',
 'future',
 'possibilities',
 'endless',
 'learned',
 'comcast',
 'facets',
 'alone',
 'nonetheless',
 'company',
 'works',
 'like',
 'spoke',
 'wheel',
 'spokes',
 'breaks',
 'wheel',
 'stops',
 'learned',
 'working',
 'company',
 'like',
 'comcast',
 'backgrounds',
 'jobs',
 'tasks',
 'goes',
 'together',
 'move',
 'forward',
 'left',
 'behind',
 'pulls',
 'working',
 'network',
 'backgrounds',
 'like',
 'senior',
 'vice',
 'president',
 'working',
 'frontlines',
 'retail',
 'stores',
 'working',
 'california',
 'working',
 'right',
 'philadelphia',
 'hopey',
 'making',
 'impression',
 'open',
 'door',
 'possibly',
 'engineer',
 'scientist',
 'needed',
 'improve',
 'technical',
 'getting',
 'sql',
 'technologies',
 'like',
 'azure',
 'strategic',
 'decembersion',
 'maker',
 'future',
 'opportunity',
 'directly',
 'numerous',
 'individuals',
 'shift',
 'contribute',
 'conversations',
 'decembersions',
 'tremendous',
 'future',
 'directly',
 'decembersions',
 'created',
 'tools',
 'enable',
 'decembersions',
 'decembersions',
 'closely',
 'align',
 'agreed',
 'upon',
 'outcome',
 'professional',
 'goals',
 'cpa',
 'gained',
 'auditing',
 'four',
 'sections',
 'cpa',
 'exam',
 'got',
 'connections',
 'public',
 'accounting',
 'get',
 'offer',
 'process',
 'excited',
 'helped',
 'get',
 'connections',
 'success',
 'increasing',
 'skillset',
 'related',
 'gaining',
 'trying',
 'cover',
 'topics',
 'business',
 'revolved',
 'around',
 'construction',
 'interested',
 'trying',
 'without',
 'directly',
 'involved',
 'labor',
 'things',
 'eyes',
 'understanding',
 'companies',
 'function',
 'unexpected',
 'company',
 'actually',
 'function',
 'seeing',
 'company',
 'function',
 'poorly',
 'decembersions',
 'aspects',
 'company',
 'performing',
 'peak',
 'eye',
 'opening',
 'classroom',
 'projects',
 'need',
 'together',
 'business',
 'model',
 'pull',
 'professional',
 'stepping',
 'stone',
 'due',
 'constant',
 'problem',
 ...]
In [379]:
#Lemmetization
import nltk
nltk.download('wordnet')
from nltk.stem import WordNetLemmatizer
lemma = WordNetLemmatizer()
Goal_string_tokens = [lemma.lemmatize(word, pos = "n") for word in Goal_string_tokens]
Goal_string_tokens = [lemma.lemmatize(word, pos = "a") for word in Goal_string_tokens]
Goal_string_tokens = [lemma.lemmatize(word, pos = "v") for word in Goal_string_tokens]
Goal_string_tokens= [lemma.lemmatize(word, pos = "r") for word in Goal_string_tokens]
Goal_string_tokens= [lemma.lemmatize(word, pos = "s") for word in Goal_string_tokens]



Goal_string_tokens
[nltk_data] Downloading package wordnet to /root/nltk_data...
[nltk_data]   Package wordnet is already up-to-date!
Out[379]:
['want',
 'get',
 'hand',
 'return',
 'preparation',
 'plan',
 'allow',
 'senior',
 'partner',
 'explain',
 'thing',
 'future',
 'want',
 'could',
 'work',
 'time',
 'ever',
 'since',
 'begin',
 'pursue',
 'account',
 'main',
 'attain',
 'four',
 'seem',
 'like',
 'reach',
 'think',
 'reach',
 'get',
 'opportunity',
 'know',
 'think',
 'could',
 'keep',
 'head',
 'bdo',
 'four',
 'consider',
 'discourage',
 'time',
 'could',
 'time',
 'bdo',
 'could',
 'impression',
 'time',
 'prove',
 'bdo',
 'take',
 'profession',
 'mean',
 'small',
 'six',
 'month',
 'go',
 'learn',
 'know',
 'time',
 'come',
 'second',
 'decemberded',
 'shoot',
 'four',
 'lead',
 'ey',
 'decemberded',
 'milestone',
 'four',
 'year',
 'early',
 'could',
 'keep',
 'head',
 'could',
 'let',
 'fate',
 'handle',
 'rest',
 'end',
 'ey',
 'extend',
 'time',
 'offer',
 'lesson',
 'beneficial',
 'johnson',
 'johnson',
 'due',
 'however',
 'collaborate',
 'remotely',
 'colleague',
 'globally',
 'locally',
 'approach',
 'assignment',
 'idea',
 'way',
 'solve',
 'either',
 'enter',
 'consult',
 'project',
 'management',
 'role',
 'use',
 'salesforce',
 'agile',
 'project',
 'management',
 'method',
 'boost',
 'opportunity',
 'pursue',
 'time',
 'role',
 'learn',
 'troubleshoot',
 'amazon',
 'network',
 'manage',
 'network',
 'vulnerability',
 'professional',
 'get',
 'cybersecurity',
 'understand',
 'basic',
 'network',
 'work',
 'essential',
 'professional',
 'network',
 'opportunity',
 'entirely',
 'addition',
 'live',
 'campus',
 'since',
 'marchh',
 'think',
 'quite',
 'difficult',
 'social',
 'professional',
 'set',
 'similarly',
 'size',
 'company',
 'scarce',
 'interaction',
 'anyone',
 'immediate',
 'week',
 'twenty',
 'u',
 'virtual',
 'set',
 'semi',
 'weekly',
 'virtual',
 'meet',
 'hangout',
 'meet',
 'allow',
 'u',
 'get',
 'u',
 'add',
 'linkedin',
 'share',
 'similar',
 'interest',
 'certain',
 'keep',
 'touch',
 'addition',
 'meet',
 'immediate',
 'saw',
 'several',
 'personnel',
 'addition',
 'tenure',
 'allow',
 'network',
 'extensive',
 'list',
 'connection',
 'professional',
 'pursue',
 'competitive',
 'tech',
 'future',
 'work',
 'vanguard',
 'large',
 'investment',
 'management',
 'company',
 'help',
 'vanguard',
 'challenge',
 'task',
 'require',
 'critical',
 'think',
 'coordination',
 'learn',
 'audit',
 'time',
 'sometimes',
 'give',
 'unfamiliar',
 'time',
 'task',
 'go',
 'question',
 'think',
 'process',
 'difficult',
 'reward',
 'know',
 'fail',
 'learn',
 'pick',
 'know',
 'figure',
 'unfamiliar',
 'accomplish',
 'task',
 'require',
 'problem',
 'solve',
 'competitive',
 'tech',
 'future',
 'competitive',
 'firm',
 'hire',
 'employee',
 'drive',
 'problem',
 'solve',
 'work',
 'vanguard',
 'business',
 'system',
 'technology',
 'opportunity',
 'express',
 'network',
 'digital',
 'company',
 'connection',
 'future',
 'guide',
 'opportunity',
 'tech',
 'vanguard',
 'college',
 'grateful',
 'opportunity',
 'interest',
 'event',
 'opportunity',
 'production',
 'adam',
 'lippes',
 'tom',
 'ford',
 'fashion',
 'show',
 'office',
 'saw',
 'sneak',
 'peek',
 'plan',
 'process',
 'see',
 'preparation',
 'day',
 'day',
 'together',
 'amaze',
 'reinforce',
 'desire',
 'somehow',
 'event',
 'begin',
 'time',
 'macquarie',
 'sense',
 'urgency',
 'type',
 'like',
 'officially',
 'due',
 'discover',
 'passion',
 'worry',
 'find',
 'yet',
 'conversation',
 'coworkers',
 'macquarie',
 'reassure',
 'stone',
 'time',
 'enter',
 'workforce',
 'reinforce',
 'work',
 'lifelong',
 'obligation',
 'sentiment',
 'reverberate',
 'think',
 'entirety',
 'time',
 'macquarie',
 'allow',
 'branch',
 'part',
 'business',
 'explore',
 'area',
 'remotely',
 'area',
 'happen',
 'sustainability',
 'macquarie',
 'currently',
 'mission',
 'sustainable',
 'asset',
 'give',
 'rare',
 'opportunity',
 'helm',
 'process',
 'apply',
 'brand',
 'Marketing',
 'technical',
 'Marketing',
 'massive',
 'unique',
 'get',
 'elsewhere',
 'help',
 'frame',
 'like',
 'officially',
 'enter',
 'workforce',
 'unlike',
 'clear',
 'lane',
 'need',
 'stay',
 'macquarie',
 'room',
 'explore',
 'allow',
 'process',
 'decemberding',
 'like',
 'post',
 'relate',
 'professional',
 'pursue',
 'network',
 'profession',
 'colleague',
 'network',
 'future',
 'search',
 'company',
 'like',
 'addition',
 'experience',
 'company',
 'require',
 'time',
 'recommendation',
 'need',
 'time',
 'addition',
 'provide',
 'mentor',
 'guide',
 'mentor',
 'fit',
 'quickly',
 'guidance',
 'enjoy',
 'sap',
 'help',
 'professional',
 'growth',
 'since',
 'freshman',
 'advantage',
 'three',
 'work',
 'industry',
 'major',
 'Marketing',
 'organizational',
 'management',
 'play',
 'distinct',
 'role',
 'company',
 'depend',
 'law',
 'experience',
 'differ',
 'greatly',
 'second',
 'work',
 'skin',
 'health',
 'section',
 'pharmaceutical',
 'company',
 'saw',
 'Marketing',
 'moreso',
 'relate',
 'sale',
 'trade',
 'promotion',
 'mean',
 'work',
 'sell',
 'company',
 'sell',
 'product',
 'customer',
 'oppose',
 'focus',
 'Marketing',
 'sell',
 'directly',
 'consumer',
 'work',
 'sector',
 'diverse',
 'third',
 'round',
 'enter',
 'workforce',
 'step',
 'outside',
 'zone',
 'choose',
 'primarch',
 'city',
 'live',
 'york',
 'city',
 'dream',
 'york',
 'city',
 'time',
 'live',
 'anywhere',
 'outside',
 'philadelphia',
 'allow',
 'explore',
 'eat',
 'food',
 'surround',
 'diverse',
 'addition',
 'work',
 'finance',
 'Marketing',
 'utilize',
 'daily',
 'task',
 'include',
 'analysis',
 'pull',
 'salesforce',
 'report',
 'forecast',
 'metric',
 'across',
 'private',
 'wealth',
 'sector',
 'proud',
 'attempt',
 'allow',
 'develop',
 'set',
 'useful',
 'matter',
 'professionally',
 'learn',
 'thrive',
 'fast',
 'pace',
 'fast',
 'turnaround',
 'time',
 'project',
 'require',
 'task',
 'creative',
 'utilize',
 'brand',
 'consumer',
 'analysis',
 'oppose',
 'financial',
 'analysis',
 'lesson',
 'connection',
 'fashion',
 'finance',
 'require',
 'demand',
 'collaboratively',
 'team',
 'product',
 'expand',
 'business',
 'like',
 'learn',
 'goldman',
 'sachs',
 'effect',
 'professional',
 'network',
 'employer',
 'encourage',
 'u',
 'explore',
 'every',
 'week',
 'break',
 'room',
 'session',
 'place',
 'break',
 'room',
 'randomly',
 'normally',
 'minute',
 'employee',
 'chit',
 'chat',
 'department',
 'allow',
 'view',
 'subject',
 'perspective',
 'topic',
 'discuss',
 'professional',
 'subject',
 'example',
 'get',
 'perspective',
 'advice',
 'nail',
 'resume',
 'process',
 'eye',
 'open',
 'addition',
 'learn',
 'true',
 'passion',
 'professionally',
 'lesson',
 'learn',
 'professionally',
 'need',
 'personally',
 'succeed',
 'professional',
 'negotiate',
 'communicate',
 'come',
 'interview',
 'moreover',
 'deviate',
 'finance',
 'Marketing',
 'shadow',
 'talk',
 'employer',
 'department',
 'finance',
 'specifically',
 'credit',
 'operation',
 'acquisition',
 'quite',
 'interest',
 'personally',
 'professionally',
 'gain',
 'advice',
 'think',
 'proceed',
 'hear',
 'perspective',
 'help',
 'keep',
 'open',
 'mind',
 'keep',
 'come',
 'exploit',
 'professionally',
 'personally',
 'head',
 'final',
 'know',
 'want',
 'mind',
 'tell',
 'term',
 'profession',
 'opportunity',
 'return',
 'grant',
 'thornton',
 'final',
 'discover',
 'work',
 'complete',
 'time',
 'around',
 'show',
 'work',
 'directly',
 'client',
 'expose',
 'pandemic',
 'change',
 'facet',
 'speak',
 'account',
 'hear',
 'say',
 'accountant',
 'hate',
 'account',
 'happily',
 'case',
 'instead',
 'provide',
 'glimpse',
 'future',
 'potentially',
 'year',
 'line',
 'show',
 'weird',
 'passion',
 'inside',
 'mind',
 'flash',
 'pan',
 'begin',
 'journey',
 'might',
 'get',
 'little',
 'deep',
 'away',
 'final',
 'sense',
 'know',
 'thrill',
 'excitement',
 'thing',
 'progress',
 'rest',
 'close',
 'officially',
 'begin',
 'post',
 'look',
 'diversify',
 'develop',
 'professionally',
 'individual',
 'allow',
 'expose',
 'variety',
 'financial',
 'perspective',
 'process',
 'perspective',
 'variety',
 'clinical',
 'trial',
 'due',
 'pandemic',
 'thing',
 'clinical',
 'trial',
 'process',
 'professional',
 'goal',
 'analytical',
 'Marketing',
 'focus',
 'traditional',
 'Marketing',
 'content',
 'creation',
 'work',
 'event',
 'help',
 'design',
 'brochure',
 'opportunity',
 'launch',
 'digital',
 'Marketing',
 'campaign',
 'analyze',
 'result',
 'want',
 'digital',
 'Marketing',
 'creative',
 'analytical',
 'Marketing',
 'round',
 'interest',
 'pursue',
 'Marketing',
 'analytics',
 'hop',
 'opportunity',
 'familiar',
 'digital',
 'advertise',
 'platform',
 'visualization',
 'tool',
 'responsible',
 'ad',
 'campaign',
 'company',
 'website',
 'involve',
 'digital',
 'Marketing',
 'create',
 'ad',
 'facebook',
 'google',
 'verizon',
 'medium',
 'notice',
 'interest',
 'gain',
 'analytics',
 'introduce',
 'worker',
 'late',
 'involve',
 'centric',
 'project',
 'relatively',
 'small',
 'company',
 'frequently',
 'test',
 'platform',
 'initiative',
 'offer',
 'good',
 'advertise',
 'result',
 'therefore',
 'often',
 'ask',
 'extract',
 'analyze',
 'use',
 'software',
 'technique',
 'minimal',
 'prior',
 'aspect',
 'professional',
 'goal',
 'pursue',
 'time',
 'spend',
 'reignite',
 'passion',
 'scholar',
 'correct',
 'dedicate',
 'second',
 'account',
 'intern',
 'estate',
 'company',
 'philadelphia',
 'include',
 'minor',
 'interest',
 'together',
 'could',
 'possibly',
 'degree',
 'look',
 'forensic',
 'account',
 'profession',
 'audit',
 'nice',
 'could',
 'account',
 'estate',
 'together',
 'future',
 'option',
 'round',
 'possibility',
 'finish',
 'class',
 'move',
 'future',
 'possibility',
 'endless',
 'learn',
 'comcast',
 'facet',
 'alone',
 'nonetheless',
 'company',
 'work',
 'like',
 'speak',
 'wheel',
 'speak',
 'break',
 'wheel',
 'stop',
 'learn',
 'work',
 'company',
 'like',
 'comcast',
 'background',
 'job',
 'task',
 'go',
 'together',
 'move',
 'forward',
 'leave',
 'behind',
 'pull',
 'work',
 'network',
 'background',
 'like',
 'senior',
 'vice',
 'president',
 'work',
 'frontlines',
 'retail',
 'store',
 'work',
 'california',
 'work',
 'right',
 'philadelphia',
 'hopey',
 'make',
 'impression',
 'open',
 'door',
 'possibly',
 'engineer',
 'scientist',
 'need',
 'improve',
 'technical',
 'get',
 'sql',
 'technology',
 'like',
 'azure',
 'strategic',
 'decembersion',
 'maker',
 'future',
 'opportunity',
 'directly',
 'numerous',
 'individual',
 'shift',
 'contribute',
 'conversation',
 'decembersions',
 'tremendous',
 'future',
 'directly',
 'decembersions',
 'create',
 'tool',
 'enable',
 'decembersions',
 'decembersions',
 'closely',
 'align',
 'agree',
 'upon',
 'outcome',
 'professional',
 'goal',
 'cpa',
 'gain',
 'audit',
 'four',
 'section',
 'cpa',
 'exam',
 'get',
 'connection',
 'public',
 'account',
 'get',
 'offer',
 'process',
 'excite',
 'help',
 'get',
 'connection',
 'success',
 'increase',
 'skillset',
 'relate',
 'gain',
 'try',
 'cover',
 'topic',
 'business',
 'revolve',
 'around',
 'construction',
 'interest',
 'try',
 'without',
 'directly',
 'involve',
 'labor',
 'thing',
 'eye',
 'understand',
 'company',
 'function',
 'unexpected',
 'company',
 'actually',
 'function',
 'see',
 'company',
 'function',
 'poorly',
 'decembersions',
 'aspect',
 'company',
 'perform',
 'peak',
 'eye',
 'open',
 'classroom',
 'project',
 'need',
 'together',
 'business',
 'model',
 'pull',
 'professional',
 'step',
 'stone',
 'due',
 'constant',
 'problem',
 ...]
In [380]:
#creating unigrams
ngrams = zip(*[Goal_string_tokens[i:] for i in range(1)])
one_ngrams=[" ".join(ngram) for ngram in ngrams]
one_ngrams
Out[380]:
['want',
 'get',
 'hand',
 'return',
 'preparation',
 'plan',
 'allow',
 'senior',
 'partner',
 'explain',
 'thing',
 'future',
 'want',
 'could',
 'work',
 'time',
 'ever',
 'since',
 'begin',
 'pursue',
 'account',
 'main',
 'attain',
 'four',
 'seem',
 'like',
 'reach',
 'think',
 'reach',
 'get',
 'opportunity',
 'know',
 'think',
 'could',
 'keep',
 'head',
 'bdo',
 'four',
 'consider',
 'discourage',
 'time',
 'could',
 'time',
 'bdo',
 'could',
 'impression',
 'time',
 'prove',
 'bdo',
 'take',
 'profession',
 'mean',
 'small',
 'six',
 'month',
 'go',
 'learn',
 'know',
 'time',
 'come',
 'second',
 'decemberded',
 'shoot',
 'four',
 'lead',
 'ey',
 'decemberded',
 'milestone',
 'four',
 'year',
 'early',
 'could',
 'keep',
 'head',
 'could',
 'let',
 'fate',
 'handle',
 'rest',
 'end',
 'ey',
 'extend',
 'time',
 'offer',
 'lesson',
 'beneficial',
 'johnson',
 'johnson',
 'due',
 'however',
 'collaborate',
 'remotely',
 'colleague',
 'globally',
 'locally',
 'approach',
 'assignment',
 'idea',
 'way',
 'solve',
 'either',
 'enter',
 'consult',
 'project',
 'management',
 'role',
 'use',
 'salesforce',
 'agile',
 'project',
 'management',
 'method',
 'boost',
 'opportunity',
 'pursue',
 'time',
 'role',
 'learn',
 'troubleshoot',
 'amazon',
 'network',
 'manage',
 'network',
 'vulnerability',
 'professional',
 'get',
 'cybersecurity',
 'understand',
 'basic',
 'network',
 'work',
 'essential',
 'professional',
 'network',
 'opportunity',
 'entirely',
 'addition',
 'live',
 'campus',
 'since',
 'marchh',
 'think',
 'quite',
 'difficult',
 'social',
 'professional',
 'set',
 'similarly',
 'size',
 'company',
 'scarce',
 'interaction',
 'anyone',
 'immediate',
 'week',
 'twenty',
 'u',
 'virtual',
 'set',
 'semi',
 'weekly',
 'virtual',
 'meet',
 'hangout',
 'meet',
 'allow',
 'u',
 'get',
 'u',
 'add',
 'linkedin',
 'share',
 'similar',
 'interest',
 'certain',
 'keep',
 'touch',
 'addition',
 'meet',
 'immediate',
 'saw',
 'several',
 'personnel',
 'addition',
 'tenure',
 'allow',
 'network',
 'extensive',
 'list',
 'connection',
 'professional',
 'pursue',
 'competitive',
 'tech',
 'future',
 'work',
 'vanguard',
 'large',
 'investment',
 'management',
 'company',
 'help',
 'vanguard',
 'challenge',
 'task',
 'require',
 'critical',
 'think',
 'coordination',
 'learn',
 'audit',
 'time',
 'sometimes',
 'give',
 'unfamiliar',
 'time',
 'task',
 'go',
 'question',
 'think',
 'process',
 'difficult',
 'reward',
 'know',
 'fail',
 'learn',
 'pick',
 'know',
 'figure',
 'unfamiliar',
 'accomplish',
 'task',
 'require',
 'problem',
 'solve',
 'competitive',
 'tech',
 'future',
 'competitive',
 'firm',
 'hire',
 'employee',
 'drive',
 'problem',
 'solve',
 'work',
 'vanguard',
 'business',
 'system',
 'technology',
 'opportunity',
 'express',
 'network',
 'digital',
 'company',
 'connection',
 'future',
 'guide',
 'opportunity',
 'tech',
 'vanguard',
 'college',
 'grateful',
 'opportunity',
 'interest',
 'event',
 'opportunity',
 'production',
 'adam',
 'lippes',
 'tom',
 'ford',
 'fashion',
 'show',
 'office',
 'saw',
 'sneak',
 'peek',
 'plan',
 'process',
 'see',
 'preparation',
 'day',
 'day',
 'together',
 'amaze',
 'reinforce',
 'desire',
 'somehow',
 'event',
 'begin',
 'time',
 'macquarie',
 'sense',
 'urgency',
 'type',
 'like',
 'officially',
 'due',
 'discover',
 'passion',
 'worry',
 'find',
 'yet',
 'conversation',
 'coworkers',
 'macquarie',
 'reassure',
 'stone',
 'time',
 'enter',
 'workforce',
 'reinforce',
 'work',
 'lifelong',
 'obligation',
 'sentiment',
 'reverberate',
 'think',
 'entirety',
 'time',
 'macquarie',
 'allow',
 'branch',
 'part',
 'business',
 'explore',
 'area',
 'remotely',
 'area',
 'happen',
 'sustainability',
 'macquarie',
 'currently',
 'mission',
 'sustainable',
 'asset',
 'give',
 'rare',
 'opportunity',
 'helm',
 'process',
 'apply',
 'brand',
 'Marketing',
 'technical',
 'Marketing',
 'massive',
 'unique',
 'get',
 'elsewhere',
 'help',
 'frame',
 'like',
 'officially',
 'enter',
 'workforce',
 'unlike',
 'clear',
 'lane',
 'need',
 'stay',
 'macquarie',
 'room',
 'explore',
 'allow',
 'process',
 'decemberding',
 'like',
 'post',
 'relate',
 'professional',
 'pursue',
 'network',
 'profession',
 'colleague',
 'network',
 'future',
 'search',
 'company',
 'like',
 'addition',
 'experience',
 'company',
 'require',
 'time',
 'recommendation',
 'need',
 'time',
 'addition',
 'provide',
 'mentor',
 'guide',
 'mentor',
 'fit',
 'quickly',
 'guidance',
 'enjoy',
 'sap',
 'help',
 'professional',
 'growth',
 'since',
 'freshman',
 'advantage',
 'three',
 'work',
 'industry',
 'major',
 'Marketing',
 'organizational',
 'management',
 'play',
 'distinct',
 'role',
 'company',
 'depend',
 'law',
 'experience',
 'differ',
 'greatly',
 'second',
 'work',
 'skin',
 'health',
 'section',
 'pharmaceutical',
 'company',
 'saw',
 'Marketing',
 'moreso',
 'relate',
 'sale',
 'trade',
 'promotion',
 'mean',
 'work',
 'sell',
 'company',
 'sell',
 'product',
 'customer',
 'oppose',
 'focus',
 'Marketing',
 'sell',
 'directly',
 'consumer',
 'work',
 'sector',
 'diverse',
 'third',
 'round',
 'enter',
 'workforce',
 'step',
 'outside',
 'zone',
 'choose',
 'primarch',
 'city',
 'live',
 'york',
 'city',
 'dream',
 'york',
 'city',
 'time',
 'live',
 'anywhere',
 'outside',
 'philadelphia',
 'allow',
 'explore',
 'eat',
 'food',
 'surround',
 'diverse',
 'addition',
 'work',
 'finance',
 'Marketing',
 'utilize',
 'daily',
 'task',
 'include',
 'analysis',
 'pull',
 'salesforce',
 'report',
 'forecast',
 'metric',
 'across',
 'private',
 'wealth',
 'sector',
 'proud',
 'attempt',
 'allow',
 'develop',
 'set',
 'useful',
 'matter',
 'professionally',
 'learn',
 'thrive',
 'fast',
 'pace',
 'fast',
 'turnaround',
 'time',
 'project',
 'require',
 'task',
 'creative',
 'utilize',
 'brand',
 'consumer',
 'analysis',
 'oppose',
 'financial',
 'analysis',
 'lesson',
 'connection',
 'fashion',
 'finance',
 'require',
 'demand',
 'collaboratively',
 'team',
 'product',
 'expand',
 'business',
 'like',
 'learn',
 'goldman',
 'sachs',
 'effect',
 'professional',
 'network',
 'employer',
 'encourage',
 'u',
 'explore',
 'every',
 'week',
 'break',
 'room',
 'session',
 'place',
 'break',
 'room',
 'randomly',
 'normally',
 'minute',
 'employee',
 'chit',
 'chat',
 'department',
 'allow',
 'view',
 'subject',
 'perspective',
 'topic',
 'discuss',
 'professional',
 'subject',
 'example',
 'get',
 'perspective',
 'advice',
 'nail',
 'resume',
 'process',
 'eye',
 'open',
 'addition',
 'learn',
 'true',
 'passion',
 'professionally',
 'lesson',
 'learn',
 'professionally',
 'need',
 'personally',
 'succeed',
 'professional',
 'negotiate',
 'communicate',
 'come',
 'interview',
 'moreover',
 'deviate',
 'finance',
 'Marketing',
 'shadow',
 'talk',
 'employer',
 'department',
 'finance',
 'specifically',
 'credit',
 'operation',
 'acquisition',
 'quite',
 'interest',
 'personally',
 'professionally',
 'gain',
 'advice',
 'think',
 'proceed',
 'hear',
 'perspective',
 'help',
 'keep',
 'open',
 'mind',
 'keep',
 'come',
 'exploit',
 'professionally',
 'personally',
 'head',
 'final',
 'know',
 'want',
 'mind',
 'tell',
 'term',
 'profession',
 'opportunity',
 'return',
 'grant',
 'thornton',
 'final',
 'discover',
 'work',
 'complete',
 'time',
 'around',
 'show',
 'work',
 'directly',
 'client',
 'expose',
 'pandemic',
 'change',
 'facet',
 'speak',
 'account',
 'hear',
 'say',
 'accountant',
 'hate',
 'account',
 'happily',
 'case',
 'instead',
 'provide',
 'glimpse',
 'future',
 'potentially',
 'year',
 'line',
 'show',
 'weird',
 'passion',
 'inside',
 'mind',
 'flash',
 'pan',
 'begin',
 'journey',
 'might',
 'get',
 'little',
 'deep',
 'away',
 'final',
 'sense',
 'know',
 'thrill',
 'excitement',
 'thing',
 'progress',
 'rest',
 'close',
 'officially',
 'begin',
 'post',
 'look',
 'diversify',
 'develop',
 'professionally',
 'individual',
 'allow',
 'expose',
 'variety',
 'financial',
 'perspective',
 'process',
 'perspective',
 'variety',
 'clinical',
 'trial',
 'due',
 'pandemic',
 'thing',
 'clinical',
 'trial',
 'process',
 'professional',
 'goal',
 'analytical',
 'Marketing',
 'focus',
 'traditional',
 'Marketing',
 'content',
 'creation',
 'work',
 'event',
 'help',
 'design',
 'brochure',
 'opportunity',
 'launch',
 'digital',
 'Marketing',
 'campaign',
 'analyze',
 'result',
 'want',
 'digital',
 'Marketing',
 'creative',
 'analytical',
 'Marketing',
 'round',
 'interest',
 'pursue',
 'Marketing',
 'analytics',
 'hop',
 'opportunity',
 'familiar',
 'digital',
 'advertise',
 'platform',
 'visualization',
 'tool',
 'responsible',
 'ad',
 'campaign',
 'company',
 'website',
 'involve',
 'digital',
 'Marketing',
 'create',
 'ad',
 'facebook',
 'google',
 'verizon',
 'medium',
 'notice',
 'interest',
 'gain',
 'analytics',
 'introduce',
 'worker',
 'late',
 'involve',
 'centric',
 'project',
 'relatively',
 'small',
 'company',
 'frequently',
 'test',
 'platform',
 'initiative',
 'offer',
 'good',
 'advertise',
 'result',
 'therefore',
 'often',
 'ask',
 'extract',
 'analyze',
 'use',
 'software',
 'technique',
 'minimal',
 'prior',
 'aspect',
 'professional',
 'goal',
 'pursue',
 'time',
 'spend',
 'reignite',
 'passion',
 'scholar',
 'correct',
 'dedicate',
 'second',
 'account',
 'intern',
 'estate',
 'company',
 'philadelphia',
 'include',
 'minor',
 'interest',
 'together',
 'could',
 'possibly',
 'degree',
 'look',
 'forensic',
 'account',
 'profession',
 'audit',
 'nice',
 'could',
 'account',
 'estate',
 'together',
 'future',
 'option',
 'round',
 'possibility',
 'finish',
 'class',
 'move',
 'future',
 'possibility',
 'endless',
 'learn',
 'comcast',
 'facet',
 'alone',
 'nonetheless',
 'company',
 'work',
 'like',
 'speak',
 'wheel',
 'speak',
 'break',
 'wheel',
 'stop',
 'learn',
 'work',
 'company',
 'like',
 'comcast',
 'background',
 'job',
 'task',
 'go',
 'together',
 'move',
 'forward',
 'leave',
 'behind',
 'pull',
 'work',
 'network',
 'background',
 'like',
 'senior',
 'vice',
 'president',
 'work',
 'frontlines',
 'retail',
 'store',
 'work',
 'california',
 'work',
 'right',
 'philadelphia',
 'hopey',
 'make',
 'impression',
 'open',
 'door',
 'possibly',
 'engineer',
 'scientist',
 'need',
 'improve',
 'technical',
 'get',
 'sql',
 'technology',
 'like',
 'azure',
 'strategic',
 'decembersion',
 'maker',
 'future',
 'opportunity',
 'directly',
 'numerous',
 'individual',
 'shift',
 'contribute',
 'conversation',
 'decembersions',
 'tremendous',
 'future',
 'directly',
 'decembersions',
 'create',
 'tool',
 'enable',
 'decembersions',
 'decembersions',
 'closely',
 'align',
 'agree',
 'upon',
 'outcome',
 'professional',
 'goal',
 'cpa',
 'gain',
 'audit',
 'four',
 'section',
 'cpa',
 'exam',
 'get',
 'connection',
 'public',
 'account',
 'get',
 'offer',
 'process',
 'excite',
 'help',
 'get',
 'connection',
 'success',
 'increase',
 'skillset',
 'relate',
 'gain',
 'try',
 'cover',
 'topic',
 'business',
 'revolve',
 'around',
 'construction',
 'interest',
 'try',
 'without',
 'directly',
 'involve',
 'labor',
 'thing',
 'eye',
 'understand',
 'company',
 'function',
 'unexpected',
 'company',
 'actually',
 'function',
 'see',
 'company',
 'function',
 'poorly',
 'decembersions',
 'aspect',
 'company',
 'perform',
 'peak',
 'eye',
 'open',
 'classroom',
 'project',
 'need',
 'together',
 'business',
 'model',
 'pull',
 'professional',
 'step',
 'stone',
 'due',
 'constant',
 'problem',
 ...]
In [381]:
# Counter is a container that will hold the count of each of the elements present in the container
course_string_tokens_count_1 = Counter(one_ngrams)
# Print top 20 most used tokens
course_string_tokens_count_1.most_common()
Out[381]:
[('work', 976),
 ('get', 800),
 ('company', 739),
 ('learn', 697),
 ('professional', 676),
 ('time', 674),
 ('business', 638),
 ('like', 636),
 ('help', 618),
 ('future', 484),
 ('opportunity', 429),
 ('project', 396),
 ('goal', 371),
 ('want', 368),
 ('Marketing', 357),
 ('allow', 336),
 ('finance', 326),
 ('need', 312),
 ('management', 306),
 ('good', 295),
 ('go', 284),
 ('account', 282),
 ('thing', 246),
 ('could', 228),
 ('communication', 225),
 ('financial', 214),
 ('give', 213),
 ('meet', 212),
 ('improve', 204),
 ('interest', 192),
 ('process', 192),
 ('take', 190),
 ('understand', 178),
 ('come', 173),
 ('use', 168),
 ('develop', 165),
 ('network', 164),
 ('since', 155),
 ('task', 154),
 ('class', 153),
 ('know', 152),
 ('communicate', 150),
 ('find', 148),
 ('pursue', 147),
 ('make', 138),
 ('investment', 136),
 ('relate', 135),
 ('college', 131),
 ('experience', 128),
 ('excel', 128),
 ('every', 125),
 ('think', 122),
 ('look', 118),
 ('start', 117),
 ('show', 116),
 ('gain', 115),
 ('set', 114),
 ('however', 111),
 ('client', 111),
 ('challenge', 110),
 ('term', 110),
 ('small', 107),
 ('aspect', 107),
 ('keep', 105),
 ('problem', 104),
 ('office', 103),
 ('step', 103),
 ('question', 102),
 ('hand', 101),
 ('analytics', 99),
 ('customer', 98),
 ('offer', 97),
 ('corporate', 96),
 ('reach', 95),
 ('system', 95),
 ('provide', 95),
 ('connection', 94),
 ('confident', 94),
 ('enjoy', 93),
 ('public', 93),
 ('estate', 92),
 ('write', 91),
 ('month', 90),
 ('open', 89),
 ('sport', 89),
 ('report', 88),
 ('do', 88),
 ('bank', 88),
 ('figure', 87),
 ('require', 86),
 ('talk', 85),
 ('create', 85),
 ('type', 84),
 ('software', 83),
 ('social', 82),
 ('employee', 82),
 ('supervisor', 82),
 ('forward', 81),
 ('realize', 81),
 ('prepare', 81),
 ('speak', 80),
 ('close', 80),
 ('become', 80),
 ('towards', 80),
 ('successful', 80),
 ('main', 79),
 ('daily', 79),
 ('analysis', 78),
 ('operation', 78),
 ('explore', 77),
 ('ask', 77),
 ('sale', 76),
 ('big', 75),
 ('see', 74),
 ('involve', 74),
 ('deal', 74),
 ('plan', 73),
 ('move', 73),
 ('job', 73),
 ('development', 73),
 ('directly', 72),
 ('service', 72),
 ('analyst', 72),
 ('build', 72),
 ('second', 71),
 ('team', 71),
 ('due', 69),
 ('area', 69),
 ('professionally', 69),
 ('personally', 69),
 ('position', 69),
 ('responsibility', 69),
 ('technology', 68),
 ('include', 68),
 ('relationship', 68),
 ('law', 67),
 ('complete', 67),
 ('right', 67),
 ('begin', 64),
 ('mean', 64),
 ('idea', 64),
 ('way', 64),
 ('apply', 64),
 ('medium', 64),
 ('try', 64),
 ('someone', 64),
 ('year', 63),
 ('solve', 63),
 ('design', 63),
 ('base', 63),
 ('technical', 62),
 ('employer', 62),
 ('example', 61),
 ('individual', 61),
 ('bos', 61),
 ('student', 61),
 ('audit', 60),
 ('expose', 60),
 ('easy', 60),
 ('grow', 60),
 ('past', 60),
 ('addition', 59),
 ('private', 59),
 ('exactly', 59),
 ('presentation', 59),
 ('receive', 59),
 ('week', 58),
 ('worker', 57),
 ('enter', 56),
 ('grateful', 56),
 ('little', 56),
 ('analyze', 56),
 ('degree', 56),
 ('excite', 56),
 ('certain', 55),
 ('brand', 55),
 ('zone', 55),
 ('creative', 55),
 ('specifically', 55),
 ('situation', 55),
 ('achieve', 55),
 ('leadership', 55),
 ('kind', 55),
 ('supply', 55),
 ('u', 54),
 ('fit', 54),
 ('eye', 54),
 ('content', 54),
 ('chain', 54),
 ('post', 53),
 ('around', 53),
 ('effectively', 53),
 ('email', 53),
 ('schedule', 53),
 ('manage', 52),
 ('accomplish', 52),
 ('stay', 52),
 ('expand', 52),
 ('operate', 52),
 ('connect', 52),
 ('impact', 52),
 ('strong', 52),
 ('difficult', 51),
 ('together', 51),
 ('search', 51),
 ('outside', 51),
 ('mind', 51),
 ('decembersion', 51),
 ('cpa', 51),
 ('manager', 51),
 ('digital', 50),
 ('choose', 50),
 ('actually', 50),
 ('practice', 50),
 ('program', 50),
 ('issue', 50),
 ('result', 49),
 ('upon', 49),
 ('classroom', 49),
 ('passion', 48),
 ('focus', 48),
 ('intern', 48),
 ('assist', 48),
 ('expect', 48),
 ('general', 48),
 ('return', 47),
 ('lead', 47),
 ('major', 47),
 ('progress', 47),
 ('spend', 47),
 ('success', 47),
 ('perform', 47),
 ('present', 47),
 ('pay', 47),
 ('call', 47),
 ('field', 47),
 ('basis', 47),
 ('point', 47),
 ('sense', 46),
 ('state', 46),
 ('potential', 46),
 ('study', 46),
 ('leader', 46),
 ('train', 46),
 ('reason', 46),
 ('enough', 46),
 ('far', 46),
 ('attend', 46),
 ('teach', 46),
 ('online', 46),
 ('role', 45),
 ('department', 45),
 ('accountant', 45),
 ('tool', 45),
 ('engineer', 45),
 ('without', 45),
 ('equity', 45),
 ('fund', 45),
 ('member', 45),
 ('colleague', 44),
 ('similar', 44),
 ('variety', 44),
 ('push', 44),
 ('anything', 44),
 ('consult', 43),
 ('several', 43),
 ('perspective', 43),
 ('contribute', 43),
 ('university', 43),
 ('organize', 43),
 ('consider', 42),
 ('line', 42),
 ('hop', 42),
 ('answer', 42),
 ('rather', 42),
 ('regard', 42),
 ('money', 42),
 ('community', 42),
 ('detail', 42),
 ('international', 42),
 ('add', 41),
 ('saw', 41),
 ('event', 41),
 ('coworkers', 41),
 ('quickly', 41),
 ('useful', 41),
 ('change', 41),
 ('already', 41),
 ('culture', 41),
 ('graduate', 41),
 ('high', 41),
 ('read', 41),
 ('product', 40),
 ('across', 40),
 ('decembersions', 40),
 ('huge', 40),
 ('face', 40),
 ('ever', 39),
 ('beneficial', 39),
 ('third', 39),
 ('behind', 39),
 ('model', 39),
 ('top', 39),
 ('importance', 39),
 ('direction', 39),
 ('resource', 39),
 ('perfect', 39),
 ('interact', 39),
 ('amaze', 38),
 ('clear', 38),
 ('resume', 38),
 ('tell', 38),
 ('hour', 38),
 ('run', 38),
 ('eventually', 38),
 ('global', 38),
 ('growth', 37),
 ('dream', 37),
 ('function', 37),
 ('entire', 37),
 ('fact', 37),
 ('profession', 36),
 ('approach', 36),
 ('assignment', 36),
 ('essential', 36),
 ('utilize', 36),
 ('encourage', 36),
 ('hear', 36),
 ('analytical', 36),
 ('prior', 36),
 ('leave', 36),
 ('invest', 36),
 ('strategy', 36),
 ('academically', 36),
 ('bite', 36),
 ('etc', 36),
 ('early', 35),
 ('handle', 35),
 ('health', 35),
 ('sector', 35),
 ('wealth', 35),
 ('say', 35),
 ('benefit', 35),
 ('course', 35),
 ('feedback', 35),
 ('share', 34),
 ('might', 34),
 ('minor', 34),
 ('comcast', 34),
 ('background', 34),
 ('implement', 34),
 ('portfolio', 34),
 ('care', 34),
 ('non', 34),
 ('quality', 34),
 ('completely', 34),
 ('trust', 34),
 ('decemberded', 33),
 ('conversation', 33),
 ('happen', 33),
 ('sell', 33),
 ('final', 33),
 ('current', 33),
 ('contact', 33),
 ('constantly', 33),
 ('activity', 33),
 ('bring', 33),
 ('front', 33),
 ('adapt', 33),
 ('satisfy', 33),
 ('send', 33),
 ('large', 32),
 ('asset', 32),
 ('trade', 32),
 ('advice', 32),
 ('home', 32),
 ('difference', 32),
 ('self', 32),
 ('hold', 32),
 ('key', 32),
 ('cycle', 32),
 ('senior', 31),
 ('partner', 31),
 ('sometimes', 31),
 ('meaningful', 31),
 ('number', 31),
 ('lack', 31),
 ('positive', 31),
 ('control', 31),
 ('ability', 31),
 ('determine', 31),
 ('compare', 31),
 ('everyday', 31),
 ('corporation', 31),
 ('rest', 30),
 ('quite', 30),
 ('weekly', 30),
 ('critical', 30),
 ('pick', 30),
 ('fast', 30),
 ('succeed', 30),
 ('often', 30),
 ('construction', 30),
 ('follow', 30),
 ('direct', 30),
 ('narrow', 30),
 ('love', 30),
 ('assign', 30),
 ('education', 30),
 ('profit', 30),
 ('let', 29),
 ('lesson', 29),
 ('round', 29),
 ('philadelphia', 29),
 ('interview', 29),
 ('case', 29),
 ('therefore', 29),
 ('hopey', 29),
 ('deadline', 29),
 ('statement', 29),
 ('balance', 29),
 ('document', 29),
 ('material', 29),
 ('review', 29),
 ('audience', 29),
 ('busy', 29),
 ('fulfil', 29),
 ('y', 29),
 ('center', 29),
 ('legal', 29),
 ('efficiently', 29),
 ('live', 28),
 ('drive', 28),
 ('yet', 28),
 ('three', 28),
 ('instead', 28),
 ('deep', 28),
 ('platform', 28),
 ('nice', 28),
 ('align', 28),
 ('else', 28),
 ('short', 28),
 ('peer', 28),
 ('space', 28),
 ('necessary', 28),
 ('concept', 28),
 ('effort', 28),
 ('video', 28),
 ('seem', 27),
 ('head', 27),
 ('collaborate', 27),
 ('basic', 27),
 ('desire', 27),
 ('currently', 27),
 ('unique', 27),
 ('industry', 27),
 ('greatly', 27),
 ('finish', 27),
 ('closely', 27),
 ('exam', 27),
 ('increase', 27),
 ('ensure', 27),
 ('struggle', 27),
 ('insurance', 27),
 ('fix', 27),
 ('reflect', 27),
 ('ready', 27),
 ('soft', 27),
 ('manner', 27),
 ('covid', 27),
 ('word', 27),
 ('maintain', 27),
 ('track', 27),
 ('either', 26),
 ('list', 26),
 ('familiar', 26),
 ('initiative', 26),
 ('family', 26),
 ('available', 26),
 ('carry', 26),
 ('motivate', 26),
 ('least', 26),
 ('actual', 26),
 ('effective', 26),
 ('relevant', 26),
 ('value', 26),
 ('six', 25),
 ('virtual', 25),
 ('firm', 25),
 ('city', 25),
 ('matter', 25),
 ('pandemic', 25),
 ('leverage', 25),
 ('improvement', 25),
 ('enhance', 25),
 ('force', 25),
 ('participate', 25),
 ('sit', 25),
 ('join', 25),
 ('stress', 25),
 ('prove', 24),
 ('hire', 24),
 ('sap', 24),
 ('proud', 24),
 ('topic', 24),
 ('late', 24),
 ('risk', 24),
 ('choice', 24),
 ('particular', 24),
 ('mi', 24),
 ('continue', 24),
 ('ultimately', 24),
 ('great', 24),
 ('strive', 24),
 ('solution', 24),
 ('form', 24),
 ('procurement', 24),
 ('country', 24),
 ('summer', 24),
 ('soon', 24),
 ('wish', 24),
 ('application', 24),
 ('strengthen', 24),
 ('opinion', 24),
 ('one', 24),
 ('feel', 24),
 ('expectation', 24),
 ('part', 23),
 ('mentor', 23),
 ('pharmaceutical', 23),
 ('test', 23),
 ('contract', 23),
 ('master', 23),
 ('accept', 23),
 ('couple', 23),
 ('database', 23),
 ('executive', 23),
 ('concern', 23),
 ('ethic', 23),
 ('passionate', 23),
 ('candidate', 23),
 ('property', 23),
 ('obtain', 23),
 ('check', 23),
 ('appreciate', 23),
 ('nervous', 23),
 ('economics', 23),
 ('remotely', 22),
 ('anyone', 22),
 ('diverse', 22),
 ('away', 22),
 ('correct', 22),
 ('option', 22),
 ('finally', 22),
 ('foundation', 22),
 ('establish', 22),
 ('acquire', 22),
 ('weakness', 22),
 ('almost', 22),
 ('produce', 22),
 ('stand', 22),
 ('science', 22),
 ('put', 22),
 ('complex', 22),
 ('path', 22),
 ('power', 22),
 ('decemberde', 22),
 ('guide', 21),
 ('workforce', 21),
 ('break', 21),
 ('store', 21),
 ('door', 21),
 ('insight', 21),
 ('simple', 21),
 ('identify', 21),
 ('sort', 21),
 ('inspire', 21),
 ('mistake', 21),
 ('chubb', 21),
 ('structure', 21),
 ('conduct', 21),
 ('voice', 21),
 ('will', 21),
 ('efficient', 21),
 ('update', 21),
 ('old', 21),
 ('advisor', 21),
 ('earn', 21),
 ('listen', 21),
 ('flow', 21),
 ('edit', 21),
 ('support', 21),
 ('phone', 21),
 ('surround', 20),
 ('view', 20),
 ('journey', 20),
 ('responsible', 20),
 ('website', 20),
 ('simply', 20),
 ('friend', 20),
 ('automation', 20),
 ('limit', 20),
 ('style', 20),
 ('engage', 20),
 ('supportive', 20),
 ('marchets', 20),
 ('cod', 20),
 ('professionalism', 20),
 ('engagement', 20),
 ('discussion', 20),
 ('charge', 20),
 ('salesforce', 19),
 ('reward', 19),
 ('freshman', 19),
 ('thrive', 19),
 ('pace', 19),
 ('credit', 19),
 ('crucial', 19),
 ('organization', 19),
 ('fall', 19),
 ('maybe', 19),
 ('healthcare', 19),
 ('negative', 19),
 ('relation', 19),
 ('access', 19),
 ('error', 19),
 ('beyond', 19),
 ('seek', 19),
 ('must', 19),
 ('independent', 19),
 ('despite', 19),
 ('associate', 19),
 ('incredibly', 19),
 ('attention', 19),
 ('le', 19),
 ('coop', 19),
 ('thus', 19),
 ('pretty', 19),
 ('security', 19),
 ('end', 18),
 ('campus', 18),
 ('production', 18),
 ('fashion', 18),
 ('day', 18),
 ('room', 18),
 ('goldman', 18),
 ('subject', 18),
 ('potentially', 18),
 ('campaign', 18),
 ('sheet', 18),
 ('watch', 18),
 ('agency', 18),
 ('agent', 18),
 ('wait', 18),
 ('probably', 18),
 ('ceo', 18),
 ('highly', 18),
 ('successy', 18),
 ('navigate', 18),
 ('target', 18),
 ('advance', 18),
 ('previously', 18),
 ('bi', 18),
 ('free', 18),
 ('division', 18),
 ('apart', 18),
 ('stick', 18),
 ('certainly', 18),
 ('broad', 18),
 ('site', 18),
 ('entry', 18),
 ('travel', 18),
 ('collect', 18),
 ('strength', 18),
 ('staff', 18),
 ('tech', 17),
 ('play', 17),
 ('consumer', 17),
 ('place', 17),
 ('trial', 17),
 ('notice', 17),
 ('possibly', 17),
 ('range', 17),
 ('invaluable', 17),
 ('turn', 17),
 ('additionally', 17),
 ('depth', 17),
 ('director', 17),
 ('peco', 17),
 ('freedom', 17),
 ('overcome', 17),
 ('respect', 17),
 ('introduction', 17),
 ('throw', 17),
 ('transition', 17),
 ('owner', 17),
 ('file', 17),
 ('career', 17),
 ('cash', 17),
 ('four', 16),
 ('discover', 16),
 ('mission', 16),
 ('guidance', 16),
 ('organizational', 16),
 ('anywhere', 16),
 ('grant', 16),
 ('introduce', 16),
 ('dedicate', 16),
 ('art', 16),
 ('message', 16),
 ('solidify', 16),
 ('promote', 16),
 ('income', 16),
 ('capital', 16),
 ('dashboard', 16),
 ('price', 16),
 ('wide', 16),
 ('vital', 16),
 ('transaction', 16),
 ('commercial', 16),
 ('nature', 16),
 ('certify', 16),
 ('ahead', 16),
 ('furthermore', 16),
 ('whatever', 16),
 ('secure', 16),
 ('taste', 16),
 ('thank', 16),
 ('serve', 16),
 ('lawyer', 16),
 ('vette', 16),
 ('interaction', 15),
 ('advantage', 15),
 ('advertise', 15),
 ('technique', 15),
 ('strategic', 15),
 ('constant', 15),
 ('language', 15),
 ('fear', 15),
 ('startup', 15),
 ('discus', 15),
 ('nothing', 15),
 ('confidently', 15),
 ('note', 15),
 ('young', 15),
 ('compliance', 15),
 ('level', 15),
 ('remember', 15),
 ('scene', 15),
 ('code', 15),
 ('incredible', 15),
 ('absolutely', 15),
 ('own', 15),
 ('medical', 15),
 ('group', 15),
 ('microsoft', 15),
 ('e', 15),
 ('fun', 15),
 ('cost', 15),
 ('society', 15),
 ('explain', 14),
 ('johnson', 14),
 ('stone', 14),
 ('true', 14),
 ('creation', 14),
 ('launch', 14),
 ('possibility', 14),
 ('cover', 14),
 ('trend', 14),
 ('regardless', 14),
 ('instance', 14),
 ('assistant', 14),
 ('land', 14),
 ('venture', 14),
 ('morgan', 14),
 ('computer', 14),
 ('innovembertion', 14),
 ('switch', 14),
 ('combine', 14),
 ('mainly', 14),
 ('treat', 14),
 ('significant', 14),
 ('exist', 14),
 ('aware', 14),
 ('proactive', 14),
 ('fmc', 14),
 ('cross', 14),
 ('long', 14),
 ('payment', 14),
 ('tremendously', 14),
 ('age', 14),
 ('in', 14),
 ('verbal', 14),
 ('game', 14),
 ('interpersonal', 14),
 ('likely', 14),
 ('fellow', 14),
 ('foot', 14),
 ('internal', 14),
 ('human', 14),
 ('routine', 14),
 ('policy', 14),
 ('whenever', 14),
 ('impression', 13),
 ('method', 13),
 ('entirely', 13),
 ('competitive', 13),
 ('express', 13),
 ('branch', 13),
 ('food', 13),
 ('demand', 13),
 ('moreover', 13),
 ('inside', 13),
 ('outcome', 13),
 ('dive', 13),
 ('prioritize', 13),
 ('capable', 13),
 ('fill', 13),
 ('witness', 13),
 ('piece', 13),
 ('endeavor', 13),
 ('today', 13),
 ('confirm', 13),
 ('enjoyable', 13),
 ('action', 13),
 ('common', 13),
 ('hard', 13),
 ('independence', 13),
 ('primarchly', 13),
 ('fulfill', 13),
 ('coursework', 13),
 ('properly', 13),
 ('assistance', 13),
 ('hr', 13),
 ('affect', 13),
 ('walk', 13),
 ('pwc', 13),
 ('thankful', 13),
 ('employ', 13),
 ('prefer', 13),
 ('monthly', 13),
 ('lose', 13),
 ('player', 13),
 ('pertain', 13),
 ('request', 13),
 ('mention', 13),
 ('spring', 13),
 ('tend', 13),
 ('luckily', 13),
 ('resolve', 13),
 ('aim', 13),
 ('budget', 13),
 ('waste', 13),
 ('excellent', 13),
 ('invoice', 13),
 ('super', 13),
 ('quarter', 13),
 ('size', 12),
 ('touch', 12),
 ('vanguard', 12),
 ('fail', 12),
 ('macquarie', 12),
 ('oppose', 12),
 ('york', 12),
 ('pull', 12),
 ('sachs', 12),
 ('president', 12),
 ('recent', 12),
 ('consist', 12),
 ('picture', 12),
 ('local', 12),
 ('single', 12),
 ('contractor', 12),
 ('avoid', 12),
 ('unsure', 12),
 ('table', 12),
 ('aspire', 12),
 ('timely', 12),
 ('performance', 12),
 ('mutual', 12),
 ('story', 12),
 ('element', 12),
 ('supplier', 12),
 ('heavy', 12),
 ('officer', 12),
 ('rely', 12),
 ('influence', 12),
 ('evaluate', 12),
 ('fortunate', 12),
 ('aid', 12),
 ('purpose', 12),
 ('automate', 12),
 ('hone', 12),
 ('recruit', 12),
 ('lot', 12),
 ('aspiration', 12),
 ('coach', 12),
 ('importantly', 12),
 ('welcome', 12),
 ('america', 12),
 ('source', 12),
 ('requirement', 12),
 ('worth', 12),
 ('investor', 12),
 ('proper', 12),
 ('friendly', 12),
 ('reduce', 12),
 ('recommend', 12),
 ('adjust', 12),
 ('retirement', 12),
 ('tie', 12),
 ('upcoming', 12),
 ('initially', 12),
 ('vendor', 12),
 ('out', 12),
 ('entrepreneurship', 12),
 ('buy', 12),
 ('order', 12),
 ('extensive', 11),
 ('enable', 11),
 ('skillset', 11),
 ('grad', 11),
 ('standard', 11),
 ('quick', 11),
 ('ton', 11),
 ('environment', 11),
 ('valuation', 11),
 ('easily', 11),
 ('auditor', 11),
 ('observe', 11),
 ('clearly', 11),
 ('user', 11),
 ('usually', 11),
 ('personality', 11),
 ('certification', 11),
 ('virtually', 11),
 ('vast', 11),
 ('accomplishment', 11),
 ('employment', 11),
 ('scale', 11),
 ('remain', 11),
 ('suit', 11),
 ('smoothly', 11),
 ('entail', 11),
 ('date', 11),
 ('research', 11),
 ('adobe', 11),
 ('winter', 11),
 ('consultant', 11),
 ('spreadsheet', 11),
 ('father', 11),
 ('lucky', 11),
 ('bore', 11),
 ('house', 11),
 ('pressure', 11),
 ('scope', 11),
 ('tough', 11),
 ('child', 11),
 ('hospital', 11),
 ('takeaway', 11),
 ('somewhat', 11),
 ('stable', 11),
 ('school', 11),
 ('cool', 11),
 ('warehouse', 11),
 ('afraid', 11),
 ('gather', 11),
 ('gopuff', 11),
 ('decemberding', 10),
 ('metric', 10),
 ('discuss', 10),
 ('acquisition', 10),
 ('google', 10),
 ('alone', 10),
 ('retail', 10),
 ('sql', 10),
 ('via', 10),
 ('execute', 10),
 ('priority', 10),
 ('pharma', 10),
 ('government', 10),
 ('jp', 10),
 ('procedure', 10),
 ('coordinate', 10),
 ('unfortunately', 10),
 ('superior', 10),
 ('atmosphere', 10),
 ('motivation', 10),
 ('efficiency', 10),
 ('besides', 10),
 ('knowledgeable', 10),
 ('incorporate', 10),
 ('article', 10),
 ('economy', 10),
 ('glenmede', 10),
 ('alongside', 10),
 ('wrong', 10),
 ('initial', 10),
 ('entertainment', 10),
 ('film', 10),
 ...]
In [382]:
def basic_clean(text):
  """
  A simple function to clean up the data. All the words that
  are not designated as a stop word is then lemmatized after
  encoding and basic regex parsing are performed.
  """
  wnl = nltk.stem.WordNetLemmatizer()
  stopwords = nltk.corpus.stopwords.words('english')
  
  words = re.sub(r'[^\w\s]', '', text).split()
  return [wnl.lemmatize(word) for word in words if word not in stopwords]
In [383]:
#creating bigrams
ngrams = zip(*[Goal_string_tokens[i:] for i in range(2)])
two_ngrams=[" ".join(ngram) for ngram in ngrams]
two_ngrams
Out[383]:
['want get',
 'get hand',
 'hand return',
 'return preparation',
 'preparation plan',
 'plan allow',
 'allow senior',
 'senior partner',
 'partner explain',
 'explain thing',
 'thing future',
 'future want',
 'want could',
 'could work',
 'work time',
 'time ever',
 'ever since',
 'since begin',
 'begin pursue',
 'pursue account',
 'account main',
 'main attain',
 'attain four',
 'four seem',
 'seem like',
 'like reach',
 'reach think',
 'think reach',
 'reach get',
 'get opportunity',
 'opportunity know',
 'know think',
 'think could',
 'could keep',
 'keep head',
 'head bdo',
 'bdo four',
 'four consider',
 'consider discourage',
 'discourage time',
 'time could',
 'could time',
 'time bdo',
 'bdo could',
 'could impression',
 'impression time',
 'time prove',
 'prove bdo',
 'bdo take',
 'take profession',
 'profession mean',
 'mean small',
 'small six',
 'six month',
 'month go',
 'go learn',
 'learn know',
 'know time',
 'time come',
 'come second',
 'second decemberded',
 'decemberded shoot',
 'shoot four',
 'four lead',
 'lead ey',
 'ey decemberded',
 'decemberded milestone',
 'milestone four',
 'four year',
 'year early',
 'early could',
 'could keep',
 'keep head',
 'head could',
 'could let',
 'let fate',
 'fate handle',
 'handle rest',
 'rest end',
 'end ey',
 'ey extend',
 'extend time',
 'time offer',
 'offer lesson',
 'lesson beneficial',
 'beneficial johnson',
 'johnson johnson',
 'johnson due',
 'due however',
 'however collaborate',
 'collaborate remotely',
 'remotely colleague',
 'colleague globally',
 'globally locally',
 'locally approach',
 'approach assignment',
 'assignment idea',
 'idea way',
 'way solve',
 'solve either',
 'either enter',
 'enter consult',
 'consult project',
 'project management',
 'management role',
 'role use',
 'use salesforce',
 'salesforce agile',
 'agile project',
 'project management',
 'management method',
 'method boost',
 'boost opportunity',
 'opportunity pursue',
 'pursue time',
 'time role',
 'role learn',
 'learn troubleshoot',
 'troubleshoot amazon',
 'amazon network',
 'network manage',
 'manage network',
 'network vulnerability',
 'vulnerability professional',
 'professional get',
 'get cybersecurity',
 'cybersecurity understand',
 'understand basic',
 'basic network',
 'network work',
 'work essential',
 'essential professional',
 'professional network',
 'network opportunity',
 'opportunity entirely',
 'entirely addition',
 'addition live',
 'live campus',
 'campus since',
 'since marchh',
 'marchh think',
 'think quite',
 'quite difficult',
 'difficult social',
 'social professional',
 'professional set',
 'set similarly',
 'similarly size',
 'size company',
 'company scarce',
 'scarce interaction',
 'interaction anyone',
 'anyone immediate',
 'immediate week',
 'week twenty',
 'twenty u',
 'u virtual',
 'virtual set',
 'set semi',
 'semi weekly',
 'weekly virtual',
 'virtual meet',
 'meet hangout',
 'hangout meet',
 'meet allow',
 'allow u',
 'u get',
 'get u',
 'u add',
 'add linkedin',
 'linkedin share',
 'share similar',
 'similar interest',
 'interest certain',
 'certain keep',
 'keep touch',
 'touch addition',
 'addition meet',
 'meet immediate',
 'immediate saw',
 'saw several',
 'several personnel',
 'personnel addition',
 'addition tenure',
 'tenure allow',
 'allow network',
 'network extensive',
 'extensive list',
 'list connection',
 'connection professional',
 'professional pursue',
 'pursue competitive',
 'competitive tech',
 'tech future',
 'future work',
 'work vanguard',
 'vanguard large',
 'large investment',
 'investment management',
 'management company',
 'company help',
 'help vanguard',
 'vanguard challenge',
 'challenge task',
 'task require',
 'require critical',
 'critical think',
 'think coordination',
 'coordination learn',
 'learn audit',
 'audit time',
 'time sometimes',
 'sometimes give',
 'give unfamiliar',
 'unfamiliar time',
 'time task',
 'task go',
 'go question',
 'question think',
 'think process',
 'process difficult',
 'difficult reward',
 'reward know',
 'know fail',
 'fail learn',
 'learn pick',
 'pick know',
 'know figure',
 'figure unfamiliar',
 'unfamiliar accomplish',
 'accomplish task',
 'task require',
 'require problem',
 'problem solve',
 'solve competitive',
 'competitive tech',
 'tech future',
 'future competitive',
 'competitive firm',
 'firm hire',
 'hire employee',
 'employee drive',
 'drive problem',
 'problem solve',
 'solve work',
 'work vanguard',
 'vanguard business',
 'business system',
 'system technology',
 'technology opportunity',
 'opportunity express',
 'express network',
 'network digital',
 'digital company',
 'company connection',
 'connection future',
 'future guide',
 'guide opportunity',
 'opportunity tech',
 'tech vanguard',
 'vanguard college',
 'college grateful',
 'grateful opportunity',
 'opportunity interest',
 'interest event',
 'event opportunity',
 'opportunity production',
 'production adam',
 'adam lippes',
 'lippes tom',
 'tom ford',
 'ford fashion',
 'fashion show',
 'show office',
 'office saw',
 'saw sneak',
 'sneak peek',
 'peek plan',
 'plan process',
 'process see',
 'see preparation',
 'preparation day',
 'day day',
 'day together',
 'together amaze',
 'amaze reinforce',
 'reinforce desire',
 'desire somehow',
 'somehow event',
 'event begin',
 'begin time',
 'time macquarie',
 'macquarie sense',
 'sense urgency',
 'urgency type',
 'type like',
 'like officially',
 'officially due',
 'due discover',
 'discover passion',
 'passion worry',
 'worry find',
 'find yet',
 'yet conversation',
 'conversation coworkers',
 'coworkers macquarie',
 'macquarie reassure',
 'reassure stone',
 'stone time',
 'time enter',
 'enter workforce',
 'workforce reinforce',
 'reinforce work',
 'work lifelong',
 'lifelong obligation',
 'obligation sentiment',
 'sentiment reverberate',
 'reverberate think',
 'think entirety',
 'entirety time',
 'time macquarie',
 'macquarie allow',
 'allow branch',
 'branch part',
 'part business',
 'business explore',
 'explore area',
 'area remotely',
 'remotely area',
 'area happen',
 'happen sustainability',
 'sustainability macquarie',
 'macquarie currently',
 'currently mission',
 'mission sustainable',
 'sustainable asset',
 'asset give',
 'give rare',
 'rare opportunity',
 'opportunity helm',
 'helm process',
 'process apply',
 'apply brand',
 'brand Marketing',
 'Marketing technical',
 'technical Marketing',
 'Marketing massive',
 'massive unique',
 'unique get',
 'get elsewhere',
 'elsewhere help',
 'help frame',
 'frame like',
 'like officially',
 'officially enter',
 'enter workforce',
 'workforce unlike',
 'unlike clear',
 'clear lane',
 'lane need',
 'need stay',
 'stay macquarie',
 'macquarie room',
 'room explore',
 'explore allow',
 'allow process',
 'process decemberding',
 'decemberding like',
 'like post',
 'post relate',
 'relate professional',
 'professional pursue',
 'pursue network',
 'network profession',
 'profession colleague',
 'colleague network',
 'network future',
 'future search',
 'search company',
 'company like',
 'like addition',
 'addition experience',
 'experience company',
 'company require',
 'require time',
 'time recommendation',
 'recommendation need',
 'need time',
 'time addition',
 'addition provide',
 'provide mentor',
 'mentor guide',
 'guide mentor',
 'mentor fit',
 'fit quickly',
 'quickly guidance',
 'guidance enjoy',
 'enjoy sap',
 'sap help',
 'help professional',
 'professional growth',
 'growth since',
 'since freshman',
 'freshman advantage',
 'advantage three',
 'three work',
 'work industry',
 'industry major',
 'major Marketing',
 'Marketing organizational',
 'organizational management',
 'management play',
 'play distinct',
 'distinct role',
 'role company',
 'company depend',
 'depend law',
 'law experience',
 'experience differ',
 'differ greatly',
 'greatly second',
 'second work',
 'work skin',
 'skin health',
 'health section',
 'section pharmaceutical',
 'pharmaceutical company',
 'company saw',
 'saw Marketing',
 'Marketing moreso',
 'moreso relate',
 'relate sale',
 'sale trade',
 'trade promotion',
 'promotion mean',
 'mean work',
 'work sell',
 'sell company',
 'company sell',
 'sell product',
 'product customer',
 'customer oppose',
 'oppose focus',
 'focus Marketing',
 'Marketing sell',
 'sell directly',
 'directly consumer',
 'consumer work',
 'work sector',
 'sector diverse',
 'diverse third',
 'third round',
 'round enter',
 'enter workforce',
 'workforce step',
 'step outside',
 'outside zone',
 'zone choose',
 'choose primarch',
 'primarch city',
 'city live',
 'live york',
 'york city',
 'city dream',
 'dream york',
 'york city',
 'city time',
 'time live',
 'live anywhere',
 'anywhere outside',
 'outside philadelphia',
 'philadelphia allow',
 'allow explore',
 'explore eat',
 'eat food',
 'food surround',
 'surround diverse',
 'diverse addition',
 'addition work',
 'work finance',
 'finance Marketing',
 'Marketing utilize',
 'utilize daily',
 'daily task',
 'task include',
 'include analysis',
 'analysis pull',
 'pull salesforce',
 'salesforce report',
 'report forecast',
 'forecast metric',
 'metric across',
 'across private',
 'private wealth',
 'wealth sector',
 'sector proud',
 'proud attempt',
 'attempt allow',
 'allow develop',
 'develop set',
 'set useful',
 'useful matter',
 'matter professionally',
 'professionally learn',
 'learn thrive',
 'thrive fast',
 'fast pace',
 'pace fast',
 'fast turnaround',
 'turnaround time',
 'time project',
 'project require',
 'require task',
 'task creative',
 'creative utilize',
 'utilize brand',
 'brand consumer',
 'consumer analysis',
 'analysis oppose',
 'oppose financial',
 'financial analysis',
 'analysis lesson',
 'lesson connection',
 'connection fashion',
 'fashion finance',
 'finance require',
 'require demand',
 'demand collaboratively',
 'collaboratively team',
 'team product',
 'product expand',
 'expand business',
 'business like',
 'like learn',
 'learn goldman',
 'goldman sachs',
 'sachs effect',
 'effect professional',
 'professional network',
 'network employer',
 'employer encourage',
 'encourage u',
 'u explore',
 'explore every',
 'every week',
 'week break',
 'break room',
 'room session',
 'session place',
 'place break',
 'break room',
 'room randomly',
 'randomly normally',
 'normally minute',
 'minute employee',
 'employee chit',
 'chit chat',
 'chat department',
 'department allow',
 'allow view',
 'view subject',
 'subject perspective',
 'perspective topic',
 'topic discuss',
 'discuss professional',
 'professional subject',
 'subject example',
 'example get',
 'get perspective',
 'perspective advice',
 'advice nail',
 'nail resume',
 'resume process',
 'process eye',
 'eye open',
 'open addition',
 'addition learn',
 'learn true',
 'true passion',
 'passion professionally',
 'professionally lesson',
 'lesson learn',
 'learn professionally',
 'professionally need',
 'need personally',
 'personally succeed',
 'succeed professional',
 'professional negotiate',
 'negotiate communicate',
 'communicate come',
 'come interview',
 'interview moreover',
 'moreover deviate',
 'deviate finance',
 'finance Marketing',
 'Marketing shadow',
 'shadow talk',
 'talk employer',
 'employer department',
 'department finance',
 'finance specifically',
 'specifically credit',
 'credit operation',
 'operation acquisition',
 'acquisition quite',
 'quite interest',
 'interest personally',
 'personally professionally',
 'professionally gain',
 'gain advice',
 'advice think',
 'think proceed',
 'proceed hear',
 'hear perspective',
 'perspective help',
 'help keep',
 'keep open',
 'open mind',
 'mind keep',
 'keep come',
 'come exploit',
 'exploit professionally',
 'professionally personally',
 'personally head',
 'head final',
 'final know',
 'know want',
 'want mind',
 'mind tell',
 'tell term',
 'term profession',
 'profession opportunity',
 'opportunity return',
 'return grant',
 'grant thornton',
 'thornton final',
 'final discover',
 'discover work',
 'work complete',
 'complete time',
 'time around',
 'around show',
 'show work',
 'work directly',
 'directly client',
 'client expose',
 'expose pandemic',
 'pandemic change',
 'change facet',
 'facet speak',
 'speak account',
 'account hear',
 'hear say',
 'say accountant',
 'accountant hate',
 'hate account',
 'account happily',
 'happily case',
 'case instead',
 'instead provide',
 'provide glimpse',
 'glimpse future',
 'future potentially',
 'potentially year',
 'year line',
 'line show',
 'show weird',
 'weird passion',
 'passion inside',
 'inside mind',
 'mind flash',
 'flash pan',
 'pan begin',
 'begin journey',
 'journey might',
 'might get',
 'get little',
 'little deep',
 'deep away',
 'away final',
 'final sense',
 'sense know',
 'know thrill',
 'thrill excitement',
 'excitement thing',
 'thing progress',
 'progress rest',
 'rest close',
 'close officially',
 'officially begin',
 'begin post',
 'post look',
 'look diversify',
 'diversify develop',
 'develop professionally',
 'professionally individual',
 'individual allow',
 'allow expose',
 'expose variety',
 'variety financial',
 'financial perspective',
 'perspective process',
 'process perspective',
 'perspective variety',
 'variety clinical',
 'clinical trial',
 'trial due',
 'due pandemic',
 'pandemic thing',
 'thing clinical',
 'clinical trial',
 'trial process',
 'process professional',
 'professional goal',
 'goal analytical',
 'analytical Marketing',
 'Marketing focus',
 'focus traditional',
 'traditional Marketing',
 'Marketing content',
 'content creation',
 'creation work',
 'work event',
 'event help',
 'help design',
 'design brochure',
 'brochure opportunity',
 'opportunity launch',
 'launch digital',
 'digital Marketing',
 'Marketing campaign',
 'campaign analyze',
 'analyze result',
 'result want',
 'want digital',
 'digital Marketing',
 'Marketing creative',
 'creative analytical',
 'analytical Marketing',
 'Marketing round',
 'round interest',
 'interest pursue',
 'pursue Marketing',
 'Marketing analytics',
 'analytics hop',
 'hop opportunity',
 'opportunity familiar',
 'familiar digital',
 'digital advertise',
 'advertise platform',
 'platform visualization',
 'visualization tool',
 'tool responsible',
 'responsible ad',
 'ad campaign',
 'campaign company',
 'company website',
 'website involve',
 'involve digital',
 'digital Marketing',
 'Marketing create',
 'create ad',
 'ad facebook',
 'facebook google',
 'google verizon',
 'verizon medium',
 'medium notice',
 'notice interest',
 'interest gain',
 'gain analytics',
 'analytics introduce',
 'introduce worker',
 'worker late',
 'late involve',
 'involve centric',
 'centric project',
 'project relatively',
 'relatively small',
 'small company',
 'company frequently',
 'frequently test',
 'test platform',
 'platform initiative',
 'initiative offer',
 'offer good',
 'good advertise',
 'advertise result',
 'result therefore',
 'therefore often',
 'often ask',
 'ask extract',
 'extract analyze',
 'analyze use',
 'use software',
 'software technique',
 'technique minimal',
 'minimal prior',
 'prior aspect',
 'aspect professional',
 'professional goal',
 'goal pursue',
 'pursue time',
 'time spend',
 'spend reignite',
 'reignite passion',
 'passion scholar',
 'scholar correct',
 'correct dedicate',
 'dedicate second',
 'second account',
 'account intern',
 'intern estate',
 'estate company',
 'company philadelphia',
 'philadelphia include',
 'include minor',
 'minor interest',
 'interest together',
 'together could',
 'could possibly',
 'possibly degree',
 'degree look',
 'look forensic',
 'forensic account',
 'account profession',
 'profession audit',
 'audit nice',
 'nice could',
 'could account',
 'account estate',
 'estate together',
 'together future',
 'future option',
 'option round',
 'round possibility',
 'possibility finish',
 'finish class',
 'class move',
 'move future',
 'future possibility',
 'possibility endless',
 'endless learn',
 'learn comcast',
 'comcast facet',
 'facet alone',
 'alone nonetheless',
 'nonetheless company',
 'company work',
 'work like',
 'like speak',
 'speak wheel',
 'wheel speak',
 'speak break',
 'break wheel',
 'wheel stop',
 'stop learn',
 'learn work',
 'work company',
 'company like',
 'like comcast',
 'comcast background',
 'background job',
 'job task',
 'task go',
 'go together',
 'together move',
 'move forward',
 'forward leave',
 'leave behind',
 'behind pull',
 'pull work',
 'work network',
 'network background',
 'background like',
 'like senior',
 'senior vice',
 'vice president',
 'president work',
 'work frontlines',
 'frontlines retail',
 'retail store',
 'store work',
 'work california',
 'california work',
 'work right',
 'right philadelphia',
 'philadelphia hopey',
 'hopey make',
 'make impression',
 'impression open',
 'open door',
 'door possibly',
 'possibly engineer',
 'engineer scientist',
 'scientist need',
 'need improve',
 'improve technical',
 'technical get',
 'get sql',
 'sql technology',
 'technology like',
 'like azure',
 'azure strategic',
 'strategic decembersion',
 'decembersion maker',
 'maker future',
 'future opportunity',
 'opportunity directly',
 'directly numerous',
 'numerous individual',
 'individual shift',
 'shift contribute',
 'contribute conversation',
 'conversation decembersions',
 'decembersions tremendous',
 'tremendous future',
 'future directly',
 'directly decembersions',
 'decembersions create',
 'create tool',
 'tool enable',
 'enable decembersions',
 'decembersions decembersions',
 'decembersions closely',
 'closely align',
 'align agree',
 'agree upon',
 'upon outcome',
 'outcome professional',
 'professional goal',
 'goal cpa',
 'cpa gain',
 'gain audit',
 'audit four',
 'four section',
 'section cpa',
 'cpa exam',
 'exam get',
 'get connection',
 'connection public',
 'public account',
 'account get',
 'get offer',
 'offer process',
 'process excite',
 'excite help',
 'help get',
 'get connection',
 'connection success',
 'success increase',
 'increase skillset',
 'skillset relate',
 'relate gain',
 'gain try',
 'try cover',
 'cover topic',
 'topic business',
 'business revolve',
 'revolve around',
 'around construction',
 'construction interest',
 'interest try',
 'try without',
 'without directly',
 'directly involve',
 'involve labor',
 'labor thing',
 'thing eye',
 'eye understand',
 'understand company',
 'company function',
 'function unexpected',
 'unexpected company',
 'company actually',
 'actually function',
 'function see',
 'see company',
 'company function',
 'function poorly',
 'poorly decembersions',
 'decembersions aspect',
 'aspect company',
 'company perform',
 'perform peak',
 'peak eye',
 'eye open',
 'open classroom',
 'classroom project',
 'project need',
 'need together',
 'together business',
 'business model',
 'model pull',
 'pull professional',
 'professional step',
 'step stone',
 'stone due',
 'due constant',
 'constant problem',
 'problem solve',
 ...]
In [384]:
# Counter is a container that will hold the count of each of the elements present in the container
Goal_word_tokens_count_3 = Counter(two_ngrams)
# Print top 20 most used tokens
Goal_word_tokens_count_3.most_common(30)
Out[384]:
[('professional goal', 104),
 ('social medium', 50),
 ('good understand', 49),
 ('supply chain', 49),
 ('project management', 43),
 ('business analytics', 40),
 ('time management', 39),
 ('investment bank', 38),
 ('help get', 34),
 ('problem solve', 33),
 ('professional set', 31),
 ('professional pursue', 30),
 ('digital Marketing', 30),
 ('public speak', 30),
 ('give opportunity', 29),
 ('company like', 28),
 ('wealth management', 28),
 ('work company', 27),
 ('small company', 26),
 ('get good', 25),
 ('want get', 24),
 ('move forward', 24),
 ('help develop', 24),
 ('time work', 24),
 ('daily basis', 24),
 ('six month', 23),
 ('help professional', 23),
 ('know want', 23),
 ('like work', 23),
 ('non profit', 23)]
In [385]:
nltk.pos_tag(Goal_string_tokens)
Out[385]:
[('want', 'JJ'),
 ('get', 'NN'),
 ('hand', 'NN'),
 ('return', 'VB'),
 ('preparation', 'NN'),
 ('plan', 'NN'),
 ('allow', 'VBP'),
 ('senior', 'JJ'),
 ('partner', 'NN'),
 ('explain', 'JJ'),
 ('thing', 'NN'),
 ('future', 'NN'),
 ('want', 'NN'),
 ('could', 'MD'),
 ('work', 'VB'),
 ('time', 'NN'),
 ('ever', 'RB'),
 ('since', 'IN'),
 ('begin', 'NN'),
 ('pursue', 'NN'),
 ('account', 'NN'),
 ('main', 'JJ'),
 ('attain', 'RB'),
 ('four', 'CD'),
 ('seem', 'VBP'),
 ('like', 'IN'),
 ('reach', 'NN'),
 ('think', 'VBP'),
 ('reach', 'NN'),
 ('get', 'VBP'),
 ('opportunity', 'NN'),
 ('know', 'VBP'),
 ('think', 'VB'),
 ('could', 'MD'),
 ('keep', 'VB'),
 ('head', 'NN'),
 ('bdo', 'IN'),
 ('four', 'CD'),
 ('consider', 'NN'),
 ('discourage', 'NN'),
 ('time', 'NN'),
 ('could', 'MD'),
 ('time', 'NN'),
 ('bdo', 'VB'),
 ('could', 'MD'),
 ('impression', 'VB'),
 ('time', 'NN'),
 ('prove', 'VB'),
 ('bdo', 'NNS'),
 ('take', 'VB'),
 ('profession', 'NN'),
 ('mean', 'VB'),
 ('small', 'JJ'),
 ('six', 'CD'),
 ('month', 'NN'),
 ('go', 'VBP'),
 ('learn', 'RB'),
 ('know', 'JJ'),
 ('time', 'NN'),
 ('come', 'JJ'),
 ('second', 'NN'),
 ('decemberded', 'VBD'),
 ('shoot', 'RB'),
 ('four', 'CD'),
 ('lead', 'NN'),
 ('ey', 'NN'),
 ('decemberded', 'VBD'),
 ('milestone', 'CD'),
 ('four', 'CD'),
 ('year', 'NN'),
 ('early', 'RB'),
 ('could', 'MD'),
 ('keep', 'VB'),
 ('head', 'NN'),
 ('could', 'MD'),
 ('let', 'VB'),
 ('fate', 'VB'),
 ('handle', 'VB'),
 ('rest', 'JJ'),
 ('end', 'NN'),
 ('ey', 'NN'),
 ('extend', 'JJ'),
 ('time', 'NN'),
 ('offer', 'NN'),
 ('lesson', 'JJ'),
 ('beneficial', 'JJ'),
 ('johnson', 'NN'),
 ('johnson', 'NN'),
 ('due', 'JJ'),
 ('however', 'RB'),
 ('collaborate', 'VBP'),
 ('remotely', 'RB'),
 ('colleague', 'JJ'),
 ('globally', 'RB'),
 ('locally', 'RB'),
 ('approach', 'JJ'),
 ('assignment', 'NN'),
 ('idea', 'NN'),
 ('way', 'NN'),
 ('solve', 'VBP'),
 ('either', 'DT'),
 ('enter', 'NN'),
 ('consult', 'NN'),
 ('project', 'NN'),
 ('management', 'NN'),
 ('role', 'NN'),
 ('use', 'NN'),
 ('salesforce', 'NN'),
 ('agile', 'NN'),
 ('project', 'NN'),
 ('management', 'NN'),
 ('method', 'NN'),
 ('boost', 'NN'),
 ('opportunity', 'NN'),
 ('pursue', 'NN'),
 ('time', 'NN'),
 ('role', 'NN'),
 ('learn', 'VBP'),
 ('troubleshoot', 'NN'),
 ('amazon', 'NN'),
 ('network', 'NN'),
 ('manage', 'NN'),
 ('network', 'NN'),
 ('vulnerability', 'NN'),
 ('professional', 'JJ'),
 ('get', 'NN'),
 ('cybersecurity', 'NN'),
 ('understand', 'VBP'),
 ('basic', 'JJ'),
 ('network', 'NN'),
 ('work', 'NN'),
 ('essential', 'JJ'),
 ('professional', 'JJ'),
 ('network', 'NN'),
 ('opportunity', 'NN'),
 ('entirely', 'RB'),
 ('addition', 'NN'),
 ('live', 'JJ'),
 ('campus', 'NN'),
 ('since', 'IN'),
 ('marchh', 'NN'),
 ('think', 'VBP'),
 ('quite', 'RB'),
 ('difficult', 'JJ'),
 ('social', 'JJ'),
 ('professional', 'NN'),
 ('set', 'VBN'),
 ('similarly', 'RB'),
 ('size', 'NN'),
 ('company', 'NN'),
 ('scarce', 'JJ'),
 ('interaction', 'NN'),
 ('anyone', 'NN'),
 ('immediate', 'JJ'),
 ('week', 'NN'),
 ('twenty', 'NN'),
 ('u', 'JJ'),
 ('virtual', 'JJ'),
 ('set', 'NN'),
 ('semi', 'JJ'),
 ('weekly', 'JJ'),
 ('virtual', 'JJ'),
 ('meet', 'NN'),
 ('hangout', 'NN'),
 ('meet', 'NN'),
 ('allow', 'VBP'),
 ('u', 'JJ'),
 ('get', 'NN'),
 ('u', 'JJ'),
 ('add', 'NN'),
 ('linkedin', 'NN'),
 ('share', 'NN'),
 ('similar', 'JJ'),
 ('interest', 'NN'),
 ('certain', 'JJ'),
 ('keep', 'VB'),
 ('touch', 'JJ'),
 ('addition', 'NN'),
 ('meet', 'NN'),
 ('immediate', 'JJ'),
 ('saw', 'VBD'),
 ('several', 'JJ'),
 ('personnel', 'NNS'),
 ('addition', 'NN'),
 ('tenure', 'NN'),
 ('allow', 'VBP'),
 ('network', 'NN'),
 ('extensive', 'JJ'),
 ('list', 'NN'),
 ('connection', 'NN'),
 ('professional', 'JJ'),
 ('pursue', 'NN'),
 ('competitive', 'JJ'),
 ('tech', 'NN'),
 ('future', 'NN'),
 ('work', 'NN'),
 ('vanguard', 'RB'),
 ('large', 'JJ'),
 ('investment', 'NN'),
 ('management', 'NN'),
 ('company', 'NN'),
 ('help', 'VB'),
 ('vanguard', 'NN'),
 ('challenge', 'NN'),
 ('task', 'NN'),
 ('require', 'VBP'),
 ('critical', 'JJ'),
 ('think', 'NN'),
 ('coordination', 'NN'),
 ('learn', 'VB'),
 ('audit', 'NN'),
 ('time', 'NN'),
 ('sometimes', 'RB'),
 ('give', 'VB'),
 ('unfamiliar', 'JJ'),
 ('time', 'NN'),
 ('task', 'NN'),
 ('go', 'VBP'),
 ('question', 'NN'),
 ('think', 'VBP'),
 ('process', 'NN'),
 ('difficult', 'JJ'),
 ('reward', 'NN'),
 ('know', 'VBP'),
 ('fail', 'VBP'),
 ('learn', 'JJ'),
 ('pick', 'NN'),
 ('know', 'VBP'),
 ('figure', 'NN'),
 ('unfamiliar', 'JJ'),
 ('accomplish', 'JJ'),
 ('task', 'NN'),
 ('require', 'NN'),
 ('problem', 'NN'),
 ('solve', 'VBP'),
 ('competitive', 'JJ'),
 ('tech', 'JJ'),
 ('future', 'NN'),
 ('competitive', 'JJ'),
 ('firm', 'NN'),
 ('hire', 'NN'),
 ('employee', 'NN'),
 ('drive', 'NN'),
 ('problem', 'NN'),
 ('solve', 'NN'),
 ('work', 'NN'),
 ('vanguard', 'NN'),
 ('business', 'NN'),
 ('system', 'NN'),
 ('technology', 'NN'),
 ('opportunity', 'NN'),
 ('express', 'NN'),
 ('network', 'NN'),
 ('digital', 'JJ'),
 ('company', 'NN'),
 ('connection', 'NN'),
 ('future', 'NN'),
 ('guide', 'NN'),
 ('opportunity', 'NN'),
 ('tech', 'JJ'),
 ('vanguard', 'NN'),
 ('college', 'NN'),
 ('grateful', 'JJ'),
 ('opportunity', 'NN'),
 ('interest', 'NN'),
 ('event', 'NN'),
 ('opportunity', 'NN'),
 ('production', 'NN'),
 ('adam', 'IN'),
 ('lippes', 'NNS'),
 ('tom', 'JJ'),
 ('ford', 'JJ'),
 ('fashion', 'NN'),
 ('show', 'NN'),
 ('office', 'NN'),
 ('saw', 'VBD'),
 ('sneak', 'JJ'),
 ('peek', 'JJ'),
 ('plan', 'NN'),
 ('process', 'NN'),
 ('see', 'VBP'),
 ('preparation', 'JJ'),
 ('day', 'NN'),
 ('day', 'NN'),
 ('together', 'RB'),
 ('amaze', 'JJ'),
 ('reinforce', 'NN'),
 ('desire', 'NN'),
 ('somehow', 'NN'),
 ('event', 'NN'),
 ('begin', 'NN'),
 ('time', 'NN'),
 ('macquarie', 'JJ'),
 ('sense', 'NN'),
 ('urgency', 'NN'),
 ('type', 'NN'),
 ('like', 'IN'),
 ('officially', 'RB'),
 ('due', 'JJ'),
 ('discover', 'NN'),
 ('passion', 'NN'),
 ('worry', 'NN'),
 ('find', 'VBP'),
 ('yet', 'RB'),
 ('conversation', 'JJ'),
 ('coworkers', 'NNS'),
 ('macquarie', 'VBP'),
 ('reassure', 'VB'),
 ('stone', 'NN'),
 ('time', 'NN'),
 ('enter', 'JJ'),
 ('workforce', 'NN'),
 ('reinforce', 'NN'),
 ('work', 'NN'),
 ('lifelong', 'JJ'),
 ('obligation', 'NN'),
 ('sentiment', 'NN'),
 ('reverberate', 'NN'),
 ('think', 'VBP'),
 ('entirety', 'NN'),
 ('time', 'NN'),
 ('macquarie', 'NN'),
 ('allow', 'VBP'),
 ('branch', 'JJ'),
 ('part', 'NN'),
 ('business', 'NN'),
 ('explore', 'RB'),
 ('area', 'NN'),
 ('remotely', 'RB'),
 ('area', 'NN'),
 ('happen', 'JJ'),
 ('sustainability', 'NN'),
 ('macquarie', 'NN'),
 ('currently', 'RB'),
 ('mission', 'RBR'),
 ('sustainable', 'JJ'),
 ('asset', 'NN'),
 ('give', 'VBP'),
 ('rare', 'JJ'),
 ('opportunity', 'NN'),
 ('helm', 'NN'),
 ('process', 'NN'),
 ('apply', 'NN'),
 ('brand', 'NN'),
 ('Marketing', 'NNP'),
 ('technical', 'JJ'),
 ('Marketing', 'NNP'),
 ('massive', 'NN'),
 ('unique', 'NN'),
 ('get', 'NN'),
 ('elsewhere', 'RB'),
 ('help', 'VB'),
 ('frame', 'NN'),
 ('like', 'IN'),
 ('officially', 'RB'),
 ('enter', 'JJ'),
 ('workforce', 'NN'),
 ('unlike', 'IN'),
 ('clear', 'JJ'),
 ('lane', 'NN'),
 ('need', 'VBP'),
 ('stay', 'JJ'),
 ('macquarie', 'JJ'),
 ('room', 'NN'),
 ('explore', 'RB'),
 ('allow', 'JJ'),
 ('process', 'NN'),
 ('decemberding', 'VBG'),
 ('like', 'IN'),
 ('post', 'NN'),
 ('relate', 'VBP'),
 ('professional', 'JJ'),
 ('pursue', 'NN'),
 ('network', 'NN'),
 ('profession', 'NN'),
 ('colleague', 'NN'),
 ('network', 'NN'),
 ('future', 'JJ'),
 ('search', 'NN'),
 ('company', 'NN'),
 ('like', 'IN'),
 ('addition', 'NN'),
 ('experience', 'NN'),
 ('company', 'NN'),
 ('require', 'VB'),
 ('time', 'NN'),
 ('recommendation', 'NN'),
 ('need', 'NN'),
 ('time', 'NN'),
 ('addition', 'NN'),
 ('provide', 'VBP'),
 ('mentor', 'NN'),
 ('guide', 'JJ'),
 ('mentor', 'NN'),
 ('fit', 'JJ'),
 ('quickly', 'RB'),
 ('guidance', 'NN'),
 ('enjoy', 'NN'),
 ('sap', 'NN'),
 ('help', 'VBP'),
 ('professional', 'JJ'),
 ('growth', 'NN'),
 ('since', 'IN'),
 ('freshman', 'NN'),
 ('advantage', 'NN'),
 ('three', 'CD'),
 ('work', 'NN'),
 ('industry', 'NN'),
 ('major', 'JJ'),
 ('Marketing', 'NNP'),
 ('organizational', 'JJ'),
 ('management', 'NN'),
 ('play', 'NN'),
 ('distinct', 'JJ'),
 ('role', 'NN'),
 ('company', 'NN'),
 ('depend', 'VBP'),
 ('law', 'NN'),
 ('experience', 'NN'),
 ('differ', 'VBP'),
 ('greatly', 'RB'),
 ('second', 'JJ'),
 ('work', 'NN'),
 ('skin', 'NN'),
 ('health', 'NN'),
 ('section', 'NN'),
 ('pharmaceutical', 'JJ'),
 ('company', 'NN'),
 ('saw', 'VBD'),
 ('Marketing', 'NNP'),
 ('moreso', 'NN'),
 ('relate', 'NN'),
 ('sale', 'NN'),
 ('trade', 'NN'),
 ('promotion', 'NN'),
 ('mean', 'JJ'),
 ('work', 'NN'),
 ('sell', 'VB'),
 ('company', 'NN'),
 ('sell', 'VB'),
 ('product', 'NN'),
 ('customer', 'NN'),
 ('oppose', 'VBP'),
 ('focus', 'NN'),
 ('Marketing', 'NNP'),
 ('sell', 'NN'),
 ('directly', 'RB'),
 ('consumer', 'NN'),
 ('work', 'NN'),
 ('sector', 'NN'),
 ('diverse', 'JJ'),
 ('third', 'JJ'),
 ('round', 'NN'),
 ('enter', 'NN'),
 ('workforce', 'JJ'),
 ('step', 'NN'),
 ('outside', 'IN'),
 ('zone', 'NN'),
 ('choose', 'JJ'),
 ('primarch', 'JJ'),
 ('city', 'NN'),
 ('live', 'JJ'),
 ('york', 'NN'),
 ('city', 'NN'),
 ('dream', 'NN'),
 ('york', 'NN'),
 ('city', 'NN'),
 ('time', 'NN'),
 ('live', 'JJ'),
 ('anywhere', 'RB'),
 ('outside', 'JJ'),
 ('philadelphia', 'NN'),
 ('allow', 'IN'),
 ('explore', 'RB'),
 ('eat', 'JJ'),
 ('food', 'NN'),
 ('surround', 'NN'),
 ('diverse', 'NN'),
 ('addition', 'NN'),
 ('work', 'NN'),
 ('finance', 'NN'),
 ('Marketing', 'NNP'),
 ('utilize', 'JJ'),
 ('daily', 'JJ'),
 ('task', 'NN'),
 ('include', 'VBP'),
 ('analysis', 'NN'),
 ('pull', 'JJ'),
 ('salesforce', 'NN'),
 ('report', 'NN'),
 ('forecast', 'VBD'),
 ('metric', 'JJ'),
 ('across', 'IN'),
 ('private', 'JJ'),
 ('wealth', 'NN'),
 ('sector', 'NN'),
 ('proud', 'JJ'),
 ('attempt', 'NN'),
 ('allow', 'IN'),
 ('develop', 'NN'),
 ('set', 'VBN'),
 ('useful', 'JJ'),
 ('matter', 'NN'),
 ('professionally', 'RB'),
 ('learn', 'JJ'),
 ('thrive', 'JJ'),
 ('fast', 'JJ'),
 ('pace', 'NN'),
 ('fast', 'RB'),
 ('turnaround', 'JJ'),
 ('time', 'NN'),
 ('project', 'NN'),
 ('require', 'VB'),
 ('task', 'NN'),
 ('creative', 'JJ'),
 ('utilize', 'JJ'),
 ('brand', 'NN'),
 ('consumer', 'NN'),
 ('analysis', 'NN'),
 ('oppose', 'VBP'),
 ('financial', 'JJ'),
 ('analysis', 'NN'),
 ('lesson', 'NN'),
 ('connection', 'NN'),
 ('fashion', 'NN'),
 ('finance', 'NN'),
 ('require', 'JJ'),
 ('demand', 'NN'),
 ('collaboratively', 'RB'),
 ('team', 'JJ'),
 ('product', 'NN'),
 ('expand', 'NN'),
 ('business', 'NN'),
 ('like', 'IN'),
 ('learn', 'JJR'),
 ('goldman', 'NN'),
 ('sachs', 'VBP'),
 ('effect', 'NN'),
 ('professional', 'JJ'),
 ('network', 'NN'),
 ('employer', 'NN'),
 ('encourage', 'NN'),
 ('u', 'JJ'),
 ('explore', 'RB'),
 ('every', 'DT'),
 ('week', 'NN'),
 ('break', 'NN'),
 ('room', 'NN'),
 ('session', 'NN'),
 ('place', 'NN'),
 ('break', 'NN'),
 ('room', 'NN'),
 ('randomly', 'RB'),
 ('normally', 'RB'),
 ('minute', 'JJ'),
 ('employee', 'NN'),
 ('chit', 'NNS'),
 ('chat', 'VBP'),
 ('department', 'NN'),
 ('allow', 'JJ'),
 ('view', 'NN'),
 ('subject', 'JJ'),
 ('perspective', 'NN'),
 ('topic', 'NN'),
 ('discuss', 'VBP'),
 ('professional', 'JJ'),
 ('subject', 'NN'),
 ('example', 'NN'),
 ('get', 'VBP'),
 ('perspective', 'JJ'),
 ('advice', 'NN'),
 ('nail', 'NN'),
 ('resume', 'NN'),
 ('process', 'NN'),
 ('eye', 'NN'),
 ('open', 'JJ'),
 ('addition', 'NN'),
 ('learn', 'NN'),
 ('true', 'JJ'),
 ('passion', 'NN'),
 ('professionally', 'RB'),
 ('lesson', 'JJ'),
 ('learn', 'VBP'),
 ('professionally', 'RB'),
 ('need', 'VBP'),
 ('personally', 'RB'),
 ('succeed', 'VB'),
 ('professional', 'JJ'),
 ('negotiate', 'NN'),
 ('communicate', 'NN'),
 ('come', 'VBN'),
 ('interview', 'NN'),
 ('moreover', 'NN'),
 ('deviate', 'NN'),
 ('finance', 'NN'),
 ('Marketing', 'NNP'),
 ('shadow', 'NN'),
 ('talk', 'NN'),
 ('employer', 'NN'),
 ('department', 'NN'),
 ('finance', 'NN'),
 ('specifically', 'RB'),
 ('credit', 'NN'),
 ('operation', 'NN'),
 ('acquisition', 'NN'),
 ('quite', 'RB'),
 ('interest', 'NN'),
 ('personally', 'RB'),
 ('professionally', 'RB'),
 ('gain', 'JJ'),
 ('advice', 'NN'),
 ('think', 'VBP'),
 ('proceed', 'VBN'),
 ('hear', 'VBP'),
 ('perspective', 'JJ'),
 ('help', 'NN'),
 ('keep', 'VB'),
 ('open', 'JJ'),
 ('mind', 'NN'),
 ('keep', 'VB'),
 ('come', 'JJ'),
 ('exploit', 'NNS'),
 ('professionally', 'RB'),
 ('personally', 'RB'),
 ('head', 'JJ'),
 ('final', 'JJ'),
 ('know', 'NN'),
 ('want', 'VBP'),
 ('mind', 'NN'),
 ('tell', 'VB'),
 ('term', 'NN'),
 ('profession', 'NN'),
 ('opportunity', 'NN'),
 ('return', 'VBP'),
 ('grant', 'JJ'),
 ('thornton', 'NN'),
 ('final', 'JJ'),
 ('discover', 'NN'),
 ('work', 'NN'),
 ('complete', 'JJ'),
 ('time', 'NN'),
 ('around', 'IN'),
 ('show', 'NN'),
 ('work', 'NN'),
 ('directly', 'RB'),
 ('client', 'NN'),
 ('expose', 'JJ'),
 ('pandemic', 'JJ'),
 ('change', 'NN'),
 ('facet', 'NN'),
 ('speak', 'NN'),
 ('account', 'NN'),
 ('hear', 'VBP'),
 ('say', 'VBP'),
 ('accountant', 'JJ'),
 ('hate', 'NN'),
 ('account', 'NN'),
 ('happily', 'RB'),
 ('case', 'NN'),
 ('instead', 'RB'),
 ('provide', 'VB'),
 ('glimpse', 'NN'),
 ('future', 'NN'),
 ('potentially', 'RB'),
 ('year', 'NN'),
 ('line', 'NN'),
 ('show', 'VBP'),
 ('weird', 'JJ'),
 ('passion', 'NN'),
 ('inside', 'IN'),
 ('mind', 'NN'),
 ('flash', 'NN'),
 ('pan', 'NN'),
 ('begin', 'VBP'),
 ('journey', 'NN'),
 ('might', 'MD'),
 ('get', 'VB'),
 ('little', 'JJ'),
 ('deep', 'JJ'),
 ('away', 'RB'),
 ('final', 'JJ'),
 ('sense', 'NN'),
 ('know', 'VBP'),
 ('thrill', 'RB'),
 ('excitement', 'JJ'),
 ('thing', 'NN'),
 ('progress', 'NN'),
 ('rest', 'VBP'),
 ('close', 'RB'),
 ('officially', 'RB'),
 ('begin', 'VBP'),
 ('post', 'JJ'),
 ('look', 'NN'),
 ('diversify', 'NN'),
 ('develop', 'VB'),
 ('professionally', 'RB'),
 ('individual', 'JJ'),
 ('allow', 'IN'),
 ('expose', 'JJ'),
 ('variety', 'NN'),
 ('financial', 'JJ'),
 ('perspective', 'NN'),
 ('process', 'NN'),
 ('perspective', 'JJ'),
 ('variety', 'NN'),
 ('clinical', 'JJ'),
 ('trial', 'NN'),
 ('due', 'JJ'),
 ('pandemic', 'JJ'),
 ('thing', 'NN'),
 ('clinical', 'JJ'),
 ('trial', 'NN'),
 ('process', 'NN'),
 ('professional', 'JJ'),
 ('goal', 'NN'),
 ('analytical', 'JJ'),
 ('Marketing', 'NNP'),
 ('focus', 'NN'),
 ('traditional', 'JJ'),
 ('Marketing', 'NNP'),
 ('content', 'NN'),
 ('creation', 'NN'),
 ('work', 'NN'),
 ('event', 'NN'),
 ('help', 'NN'),
 ('design', 'NN'),
 ('brochure', 'NN'),
 ('opportunity', 'NN'),
 ('launch', 'NN'),
 ('digital', 'JJ'),
 ('Marketing', 'NNP'),
 ('campaign', 'NN'),
 ('analyze', 'VBP'),
 ('result', 'NN'),
 ('want', 'VBP'),
 ('digital', 'JJ'),
 ('Marketing', 'NNP'),
 ('creative', 'JJ'),
 ('analytical', 'JJ'),
 ('Marketing', 'NN'),
 ('round', 'NN'),
 ('interest', 'NN'),
 ('pursue', 'NN'),
 ('Marketing', 'NNP'),
 ('analytics', 'NNS'),
 ('hop', 'VBP'),
 ('opportunity', 'NN'),
 ('familiar', 'JJ'),
 ('digital', 'JJ'),
 ('advertise', 'NN'),
 ('platform', 'NN'),
 ('visualization', 'NN'),
 ('tool', 'NN'),
 ('responsible', 'JJ'),
 ('ad', 'NN'),
 ('campaign', 'NN'),
 ('company', 'NN'),
 ('website', 'JJ'),
 ('involve', 'NN'),
 ('digital', 'JJ'),
 ('Marketing', 'NNP'),
 ('create', 'NN'),
 ('ad', 'NN'),
 ('facebook', 'NN'),
 ('google', 'NN'),
 ('verizon', 'NN'),
 ('medium', 'NN'),
 ('notice', 'NN'),
 ('interest', 'NN'),
 ('gain', 'NN'),
 ('analytics', 'NNS'),
 ('introduce', 'VBP'),
 ('worker', 'NN'),
 ('late', 'JJ'),
 ('involve', 'NN'),
 ('centric', 'NN'),
 ('project', 'NN'),
 ('relatively', 'RB'),
 ('small', 'JJ'),
 ('company', 'NN'),
 ('frequently', 'RB'),
 ('test', 'VBP'),
 ('platform', 'NN'),
 ('initiative', 'NN'),
 ('offer', 'NN'),
 ('good', 'JJ'),
 ('advertise', 'NN'),
 ('result', 'NN'),
 ('therefore', 'RB'),
 ('often', 'RB'),
 ('ask', 'JJ'),
 ('extract', 'JJ'),
 ('analyze', 'NN'),
 ('use', 'NN'),
 ('software', 'NN'),
 ('technique', 'NN'),
 ('minimal', 'JJ'),
 ('prior', 'JJ'),
 ('aspect', 'JJ'),
 ('professional', 'JJ'),
 ('goal', 'NN'),
 ('pursue', 'NN'),
 ('time', 'NN'),
 ('spend', 'VB'),
 ('reignite', 'JJ'),
 ('passion', 'NN'),
 ('scholar', 'NN'),
 ('correct', 'JJ'),
 ('dedicate', 'JJ'),
 ('second', 'JJ'),
 ('account', 'NN'),
 ('intern', 'JJ'),
 ('estate', 'NN'),
 ('company', 'NN'),
 ('philadelphia', 'NN'),
 ('include', 'VBP'),
 ('minor', 'JJ'),
 ('interest', 'NN'),
 ('together', 'RB'),
 ('could', 'MD'),
 ('possibly', 'RB'),
 ('degree', 'VB'),
 ('look', 'NN'),
 ('forensic', 'JJ'),
 ('account', 'NN'),
 ('profession', 'NN'),
 ('audit', 'NN'),
 ('nice', 'NN'),
 ('could', 'MD'),
 ('account', 'VB'),
 ('estate', 'NN'),
 ('together', 'RB'),
 ('future', 'JJ'),
 ('option', 'NN'),
 ('round', 'NN'),
 ('possibility', 'NN'),
 ('finish', 'JJ'),
 ('class', 'NN'),
 ('move', 'NN'),
 ('future', 'NN'),
 ('possibility', 'NN'),
 ('endless', 'NN'),
 ('learn', 'VBD'),
 ('comcast', 'JJ'),
 ('facet', 'NN'),
 ('alone', 'RB'),
 ('nonetheless', 'RB'),
 ('company', 'NN'),
 ('work', 'NN'),
 ('like', 'IN'),
 ('speak', 'JJ'),
 ('wheel', 'NN'),
 ('speak', 'JJ'),
 ('break', 'NN'),
 ('wheel', 'NN'),
 ('stop', 'NN'),
 ('learn', 'NN'),
 ('work', 'NN'),
 ('company', 'NN'),
 ('like', 'IN'),
 ('comcast', 'NN'),
 ('background', 'NN'),
 ('job', 'NN'),
 ('task', 'NN'),
 ('go', 'VBP'),
 ('together', 'RB'),
 ('move', 'RB'),
 ('forward', 'RB'),
 ('leave', 'VBP'),
 ('behind', 'IN'),
 ('pull', 'NN'),
 ('work', 'NN'),
 ('network', 'NN'),
 ('background', 'NN'),
 ('like', 'IN'),
 ('senior', 'JJ'),
 ('vice', 'NN'),
 ('president', 'NN'),
 ('work', 'NN'),
 ('frontlines', 'NNS'),
 ('retail', 'JJ'),
 ('store', 'NN'),
 ('work', 'NN'),
 ('california', 'NN'),
 ('work', 'NN'),
 ('right', 'RB'),
 ('philadelphia', 'JJ'),
 ('hopey', 'NNS'),
 ('make', 'VBP'),
 ('impression', 'NN'),
 ('open', 'JJ'),
 ('door', 'NN'),
 ('possibly', 'RB'),
 ('engineer', 'VB'),
 ('scientist', 'NN'),
 ('need', 'MD'),
 ('improve', 'VB'),
 ('technical', 'JJ'),
 ('get', 'NN'),
 ('sql', 'JJ'),
 ('technology', 'NN'),
 ('like', 'IN'),
 ('azure', 'NN'),
 ('strategic', 'JJ'),
 ('decembersion', 'NN'),
 ('maker', 'NN'),
 ('future', 'JJ'),
 ('opportunity', 'NN'),
 ('directly', 'RB'),
 ('numerous', 'JJ'),
 ('individual', 'JJ'),
 ('shift', 'NN'),
 ('contribute', 'JJ'),
 ('conversation', 'NN'),
 ('decembersions', 'NNS'),
 ('tremendous', 'JJ'),
 ('future', 'NN'),
 ('directly', 'RB'),
 ('decembersions', 'NNS'),
 ('create', 'VBP'),
 ('tool', 'NN'),
 ('enable', 'JJ'),
 ('decembersions', 'NNS'),
 ('decembersions', 'NNS'),
 ('closely', 'RB'),
 ('align', 'JJ'),
 ('agree', 'JJ'),
 ('upon', 'IN'),
 ('outcome', 'JJ'),
 ('professional', 'JJ'),
 ('goal', 'NN'),
 ('cpa', 'NN'),
 ('gain', 'NN'),
 ('audit', 'IN'),
 ('four', 'CD'),
 ('section', 'NN'),
 ('cpa', 'NN'),
 ('exam', 'NN'),
 ('get', 'VB'),
 ('connection', 'NN'),
 ('public', 'NN'),
 ('account', 'NN'),
 ('get', 'NN'),
 ('offer', 'NN'),
 ('process', 'NN'),
 ('excite', 'NN'),
 ('help', 'NN'),
 ('get', 'VB'),
 ('connection', 'NN'),
 ('success', 'NN'),
 ('increase', 'NN'),
 ('skillset', 'NN'),
 ('relate', 'NN'),
 ('gain', 'NN'),
 ('try', 'NN'),
 ('cover', 'NN'),
 ('topic', 'NN'),
 ('business', 'NN'),
 ('revolve', 'VBP'),
 ('around', 'IN'),
 ('construction', 'NN'),
 ('interest', 'NN'),
 ('try', 'NN'),
 ('without', 'IN'),
 ('directly', 'RB'),
 ('involve', 'VB'),
 ('labor', 'NN'),
 ('thing', 'NN'),
 ('eye', 'NN'),
 ('understand', 'VBP'),
 ('company', 'NN'),
 ('function', 'NN'),
 ('unexpected', 'VBD'),
 ('company', 'NN'),
 ('actually', 'RB'),
 ('function', 'JJ'),
 ('see', 'VBP'),
 ('company', 'NN'),
 ('function', 'NN'),
 ('poorly', 'JJ'),
 ('decembersions', 'NNS'),
 ('aspect', 'VBP'),
 ('company', 'NN'),
 ('perform', 'NN'),
 ('peak', 'NN'),
 ('eye', 'NN'),
 ('open', 'JJ'),
 ('classroom', 'NN'),
 ('project', 'NN'),
 ('need', 'VBP'),
 ('together', 'RB'),
 ('business', 'NN'),
 ('model', 'NN'),
 ('pull', 'JJ'),
 ('professional', 'JJ'),
 ('step', 'NN'),
 ('stone', 'NN'),
 ('due', 'JJ'),
 ('constant', 'JJ'),
 ('problem', 'NN'),
 ...]
In [386]:
# Here we will create Words frequency matrix (Two word)
from sklearn.feature_extraction.text import CountVectorizer
cv=CountVectorizer(ngram_range = (2,2))
data_new=cv.fit_transform(df_Goals["Goals String"])
data_new.shape
df_dtm = pd.DataFrame(data_new.toarray(), columns=cv.get_feature_names_out())
df_dtm.index=df_Goals.index
df_dtm.head(5)
Out[386]:
aaron learned ab amazing abilities accomplish abilities analyst abilities applied abilities asked abilities collaborate abilities connected abilities done abilities estate ... zone ways zones got zones taking zoning issues zoom calls zoom meeting zoom meetings zoom quite zoom trying zuleba executive
0 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
1 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
2 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
3 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0
4 0 0 0 0 0 0 0 0 0 0 ... 0 0 0 0 0 0 0 0 0 0

5 rows × 45100 columns

In [387]:
word_freqs_2 = df_dtm.sum(axis=0).sort_values(ascending=False)[:30].to_dict()


word_freqs_2
Out[387]:
{'professional goals': 102,
 'social media': 50,
 'better understanding': 49,
 'supply chain': 47,
 'project management': 41,
 'business analytics': 40,
 'time management': 39,
 'public speaking': 30,
 'digital marcheting': 30,
 'investment banking': 29,
 'professional pursuing': 29,
 'professional setting': 29,
 'wealth management': 28,
 'problem solving': 27,
 'company like': 24,
 'daily basis': 24,
 'given opportunity': 23,
 'six months': 23,
 'helped get': 23,
 'wanted get': 23,
 'working company': 22,
 'private equity': 22,
 'time working': 22,
 'accounting finance': 21,
 'related professional': 21,
 'helped develop': 21,
 'like working': 19,
 'finance accounting': 19,
 'knew wanted': 19,
 'non profit': 19}
In [388]:
import matplotlib.pyplot as plt

plt.figure(figsize = (10, 10))
plt.barh(range(len(word_freqs_2)), word_freqs_2.values(),color='gray')

plt.yticks(range(len(word_freqs_2)), word_freqs_2.keys())
plt.yticks(rotation = 0)
plt.show()
In [389]:
%matplotlib inline 
import matplotlib.pyplot as plt

# Configure the way the plots will look
plt.style.use([{
    "figure.dpi": 300,
    "figure.figsize":(12,9),
    "xtick.labelsize": "large",
    "ytick.labelsize": "large",
    "legend.fontsize": "x-large",
    "axes.labelsize": "x-large",
    "axes.titlesize": "xx-large",
    "axes.spines.top": False,
    "axes.spines.right": False,
},'seaborn-poster', "fivethirtyeight"])
In [390]:
from wordcloud import WordCloud
str_cleaned_tokens = " ".join(Goal_string_tokens) # the word cloud needs raw text as argument not list
wc = WordCloud(background_color="white", width= 800, height= 400).generate(str_cleaned_tokens)
plt.imshow(wc)
plt.axis("off");
In [391]:
def basic_clean(text):
  """
  A simple function to clean up the data. All the words that
  are not designated as a stop word is then lemmatized after
  encoding and basic regex parsing are performed.
  """
  wnl = nltk.stem.WordNetLemmatizer()
  stopwords = nltk.corpus.stopwords.words('english')
  
  words = re.sub(r'[^\w\s]', '', text).split()
  return [wnl.lemmatize(word) for word in words if word not in stopwords]
In [392]:
true_word = basic_clean(''.join(str(df_Goals['Goals String'].tolist())))
In [393]:
true_bigrams_series = (pd.Series(nltk.ngrams(true_word, 2)).value_counts())[:20]
In [394]:
true_bigrams_series.sort_values().plot.barh(color='blue', width=.9, figsize=(12, 8))
# Generate own list of words to be ignored
plt.title('20 Most Frequently Occuring Bigrams')
plt.ylabel('Bigram')
plt.xlabel('# of Occurances')
Out[394]:
Text(0.5, 0, '# of Occurances')
In [395]:
from nltk.text import FreqDist
nltk.download('stopwords')
from nltk.corpus import stopwords
remove_these = set(stopwords.words('english') + list(string.punctuation) + list(string.digits))
filtered_text = [w for w in Goal_string_tokens if not w in remove_these]
fdist_filtered = FreqDist(filtered_text)
fdist_filtered.plot(30,title='Frequency distribution for 30 most common tokens in our text collection (excluding stopwords and punctuation)')
[nltk_data] Downloading package stopwords to /root/nltk_data...
[nltk_data]   Package stopwords is already up-to-date!
Out[395]:
<matplotlib.axes._subplots.AxesSubplot at 0x7fc0c1dc1460>
In [396]:
#filtered the data as per first Co-op
df_filt1= df_Goals.loc[df_Goals['Co-op #'] == 'First']
df_filt1
Out[396]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed Goals String
16 89 Fall/Winter B ACCT 5COP JR Domestic First i was able to complete my second co-op as an a... [second, accounting, intern, estate, company, ... second accounting intern estate company philad...
32 108 Fall/Winter B FIN 5COP SO Domestic First it helped me develop communication skills that... [helped, develop, communication, could, future... helped develop communication could future inte...
45 128 Fall/Winter B BSAN 5COP SR Domestic First one of my professional goals is to have a dive... [professional, goals, diverse, analytics, lear... professional goals diverse analytics learned c...
47 132 Fall/Winter B GBUS 5COP SR Domestic First throughout my time at drexel, i experienced mu... [time, experienced, uncertainty, regarding, di... time experienced uncertainty regarding directi...
103 2599 Spring/Summer B FIN 4COP SR Domestic First one aspect of how this co-op experience relate... [fuwa, owned, family, family, business, decemb... fuwa owned family family business decemberding...
... ... ... ... ... ... ... ... ... ... ... ...
1378 5562 Spring/Summer B MKTG 5COP JR International First this was my very first experience working at a... [working, professional, learned, professional,... working professional learned professional task...
1379 5912 Spring/Summer B FIN 5COP PJ Domestic First i have always cared about making sure there ar... [cared, making, opportunities, poor, minoritie... cared making opportunities poor minorities pre...
1380 5572 Spring/Summer B ACCT 5COP JR International First one of my professional goals is to become a cp... [professional, goals, cpa, graduating, helped,... professional goals cpa graduating helped close...
1381 5574 Spring/Summer B FIN 5COP PJ Domestic First coming into my co-op i wasn't sure what i want... [coming, wanted, future, accounting, finance, ... coming wanted future accounting finance manage...
1382 5579 Spring/Summer B MIS 5COP JR Domestic First i definitely feel like the experience of being... [like, office, regards, carrying, professional... like office regards carrying professional saw ...

442 rows × 11 columns

In [397]:
df_filt1['Goals String']
Out[397]:
16      second accounting intern estate company philad...
32      helped develop communication could future inte...
45      professional goals diverse analytics learned c...
47      time experienced uncertainty regarding directi...
103     fuwa owned family family business decemberding...
                              ...                        
1378    working professional learned professional task...
1379    cared making opportunities poor minorities pre...
1380    professional goals cpa graduating helped close...
1381    coming wanted future accounting finance manage...
1382    like office regards carrying professional saw ...
Name: Goals String, Length: 442, dtype: object
In [398]:
true_word1 = basic_clean(''.join(str(df_filt1['Goals String'].tolist())))
In [399]:
true_bigrams_series1 = (pd.Series(nltk.ngrams(true_word1, 2)).value_counts())[:20]
In [411]:
true_bigrams_series1.sort_values().plot.barh(color='gray', width=.9, figsize=(12, 8))
plt.title('20 Most Frequently Occuring')
plt.ylabel('first')
plt.xlabel('# of Occurances')
Out[411]:
Text(0.5, 0, '# of Occurances')
In [401]:
#filtered the data as per first Co-op
df_filt2= df_Goals.loc[df_Goals['Co-op #'] == 'Second']
df_filt2
Out[401]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed Goals String
3 5586 Spring/Summer B FIN 5COP SR Domestic Second i learned how to troubleshoot amazon's network... [learned, troubleshoot, amazon, network, manag... learned troubleshoot amazon network managing n...
41 122 Fall/Winter B FIN 5COP SR Domestic Second this co-op has helped me better narrow my prof... [helped, better, narrow, professional, goals, ... helped better narrow professional goals prior ...
114 222 Fall/Winter B FIN 5COP SR Domestic Second this co-op experience helped me realize that i... [helped, particularly, learned, came, heighten... helped particularly learned came heightened pr...
150 2674 Spring/Summer B FIN 5COP SR Domestic Second this co-op has a heavy focus on healthcare i w... [heavy, healthcare, wanted, insurance, interes... heavy healthcare wanted insurance interested i...
163 2702 Spring/Summer B SMT 5COP JR Domestic Second i cannot answer this question. [answer, question] answer question
... ... ... ... ... ... ... ... ... ... ... ...
1190 5864 Spring/Summer B SPBS 5COP JR Domestic Second it definitely made me more personable and unde... [personable, understanding, allowed, story, up... personable understanding allowed story upbring...
1299 5329 Spring/Summer B LGST 5COP JR Domestic Second when i came to drexel, my goal was to work in ... [came, corporate, comcast, business, admired, ... came corporate comcast business admired achiev...
1337 5452 Spring/Summer B ACCT 5COP SR Domestic Second this co-op helped me to take a large step forw... [helped, step, forward, ultimate, working, top... helped step forward ultimate working top firms...
1345 5479 Spring/Summer B FIN 5COP JR Domestic Second i think the main way this co-op improved my bu... [main, improved, business, verbal, written, co... main improved business verbal written communic...
1349 5494 Spring/Summer B ACCT 5COP JR Domestic Second i have wanted to use the co-op program to expl... [wanted, explore, aspects, accounting, mean, t... wanted explore aspects accounting mean transfe...

370 rows × 11 columns

In [402]:
df_filt2['Goals String']
Out[402]:
3       learned troubleshoot amazon network managing n...
41      helped better narrow professional goals prior ...
114     helped particularly learned came heightened pr...
150     heavy healthcare wanted insurance interested i...
163                                       answer question
                              ...                        
1190    personable understanding allowed story upbring...
1299    came corporate comcast business admired achiev...
1337    helped step forward ultimate working top firms...
1345    main improved business verbal written communic...
1349    wanted explore aspects accounting mean transfe...
Name: Goals String, Length: 370, dtype: object
In [403]:
true_word2 = basic_clean(''.join(str(df_filt2['Goals String'].tolist())))
In [404]:
true_bigrams_series2 = (pd.Series(nltk.ngrams(true_word2, 2)).value_counts())[:20]
In [412]:
true_bigrams_series2.sort_values().plot.barh(color='gray', width=.9, figsize=(12, 8))
plt.title('20 Most Frequently Occuring')
plt.ylabel('second')
plt.xlabel('# of Occurances')
Out[412]:
Text(0.5, 0, '# of Occurances')
In [406]:
#filtered the data as per first Co-op
df_filt3= df_Goals.loc[df_Goals['Co-op #'] == 'Only']
df_filt3
Out[406]:
Responder ID Work Terms College Major Conc Class Citizenship Status Co-op # Goals Comments Goals Cleansed Goals String
35 2443 Spring/Summer B MKTG 4COP SR Domestic Only this co-op at geico allowed me to reach a pers... [geico, allowed, reach, pursuing, confident, r... geico allowed reach pursuing confident represe...
55 2478 Spring/Summer B FIN 5COP SR International Only after the 6-month co-op, i have learned a lot ... [learned, special, sociality, like, campus, un... learned special sociality like campus unexpect...
85 2556 Spring/Summer B REMD 4COP SR Domestic Only one aspect of this co-op experience that relat... [professional, working, estate, finance, takin... professional working estate finance taking rig...
109 213 Fall/Winter B SPBS 5COP JR Domestic Only this coop was very interesting, but something ... [interesting, involve, enjoyed, working, load,... interesting involve enjoyed working load satis...
132 2650 Spring/Summer B MKTG 5COP SR Domestic Only the only true positive i could find with this ... [true, positive, could, relation, networking, ... true positive could relation networking opport...
... ... ... ... ... ... ... ... ... ... ... ...
1367 5526 Spring/Summer B OSCM 4COP SR Domestic Only many important lessons are learned for my futu... [lessons, learned, future, opportunity, fairmo... lessons learned future opportunity fairmount g...
1368 5530 Spring/Summer BE ECON 5COP JR Domestic Only one goal i had entering this coop cycle was to... [entering, cycle, develop, deeper, understandi... entering cycle develop deeper understanding co...
1369 2136 Fall/Winter B BSAN 4COP JR Domestic Only an aspect of this co-op experience that relate... [related, professional, pursuing, entire, onbo... related professional pursuing entire onboardin...
1370 2137 Fall/Winter B ACCT 4COP SR Domestic Only my coop at kpmg was the perfect fit for my per... [kpmg, perfect, fit, professional, goals, unde... kpmg perfect fit professional goals undecember...
1371 5535 Spring/Summer B FIN 4COP SR International Only i have always believed that finance is a well ... [believed, finance, sought, shown, logistics, ... believed finance sought shown logistics behind...

131 rows × 11 columns

In [407]:
df_filt3['Goals String']
Out[407]:
35      geico allowed reach pursuing confident represe...
55      learned special sociality like campus unexpect...
85      professional working estate finance taking rig...
109     interesting involve enjoyed working load satis...
132     true positive could relation networking opport...
                              ...                        
1367    lessons learned future opportunity fairmount g...
1368    entering cycle develop deeper understanding co...
1369    related professional pursuing entire onboardin...
1370    kpmg perfect fit professional goals undecember...
1371    believed finance sought shown logistics behind...
Name: Goals String, Length: 131, dtype: object
In [413]:
true_word3 = basic_clean(''.join(str(df_filt3['Goals String'].tolist())))
In [414]:
true_bigrams_series3 = (pd.Series(nltk.ngrams(true_word3, 2)).value_counts())[:20]
In [415]:
true_bigrams_series3.sort_values().plot.barh(color='gray', width=.9, figsize=(12, 8))
plt.title('20 Most Frequently Occuring')
plt.ylabel('Third')
plt.xlabel('# of Occurances')
Out[415]:
Text(0.5, 0, '# of Occurances')
In [415]: